youcompleteme.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761
  1. # Copyright (C) 2011-2012 Google Inc.
  2. # 2016-2017 YouCompleteMe contributors
  3. #
  4. # This file is part of YouCompleteMe.
  5. #
  6. # YouCompleteMe is free software: you can redistribute it and/or modify
  7. # it under the terms of the GNU General Public License as published by
  8. # the Free Software Foundation, either version 3 of the License, or
  9. # (at your option) any later version.
  10. #
  11. # YouCompleteMe is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. # GNU General Public License for more details.
  15. #
  16. # You should have received a copy of the GNU General Public License
  17. # along with YouCompleteMe. If not, see <http://www.gnu.org/licenses/>.
  18. from __future__ import unicode_literals
  19. from __future__ import print_function
  20. from __future__ import division
  21. from __future__ import absolute_import
  22. # Not installing aliases from python-future; it's unreliable and slow.
  23. from builtins import * # noqa
  24. from future.utils import iteritems
  25. import base64
  26. import json
  27. import logging
  28. import os
  29. import signal
  30. import vim
  31. from subprocess import PIPE
  32. from tempfile import NamedTemporaryFile
  33. from ycm import base, paths, vimsupport
  34. from ycm.buffer import BufferDict
  35. from ycmd import utils
  36. from ycmd import server_utils
  37. from ycmd.request_wrap import RequestWrap
  38. from ycm.omni_completer import OmniCompleter
  39. from ycm import syntax_parse
  40. from ycm.client.ycmd_keepalive import YcmdKeepalive
  41. from ycm.client.base_request import ( BaseRequest, BuildRequestData,
  42. HandleServerException )
  43. from ycm.client.completer_available_request import SendCompleterAvailableRequest
  44. from ycm.client.command_request import SendCommandRequest
  45. from ycm.client.completion_request import ( CompletionRequest,
  46. ConvertCompletionDataToVimData )
  47. from ycm.client.debug_info_request import ( SendDebugInfoRequest,
  48. FormatDebugInfoResponse )
  49. from ycm.client.omni_completion_request import OmniCompletionRequest
  50. from ycm.client.event_notification import SendEventNotificationAsync
  51. from ycm.client.shutdown_request import SendShutdownRequest
  52. def PatchNoProxy():
  53. current_value = os.environ.get('no_proxy', '')
  54. additions = '127.0.0.1,localhost'
  55. os.environ['no_proxy'] = ( additions if not current_value
  56. else current_value + ',' + additions )
  57. # We need this so that Requests doesn't end up using the local HTTP proxy when
  58. # talking to ycmd. Users should actually be setting this themselves when
  59. # configuring a proxy server on their machine, but most don't know they need to
  60. # or how to do it, so we do it for them.
  61. # Relevant issues:
  62. # https://github.com/Valloric/YouCompleteMe/issues/641
  63. # https://github.com/kennethreitz/requests/issues/879
  64. PatchNoProxy()
  65. # Force the Python interpreter embedded in Vim (in which we are running) to
  66. # ignore the SIGINT signal. This helps reduce the fallout of a user pressing
  67. # Ctrl-C in Vim.
  68. signal.signal( signal.SIGINT, signal.SIG_IGN )
  69. HMAC_SECRET_LENGTH = 16
  70. SERVER_SHUTDOWN_MESSAGE = (
  71. "The ycmd server SHUT DOWN (restart with ':YcmRestartServer')." )
  72. EXIT_CODE_UNEXPECTED_MESSAGE = (
  73. "Unexpected exit code {code}. "
  74. "Use the ':YcmToggleLogs' command to check the logs." )
  75. CORE_UNEXPECTED_MESSAGE = (
  76. "Unexpected error while loading the YCM core library. "
  77. "Use the ':YcmToggleLogs' command to check the logs." )
  78. CORE_MISSING_MESSAGE = (
  79. 'YCM core library not detected; you need to compile YCM before using it. '
  80. 'Follow the instructions in the documentation.' )
  81. CORE_PYTHON2_MESSAGE = (
  82. "YCM core library compiled for Python 2 but loaded in Python 3. "
  83. "Set the 'g:ycm_server_python_interpreter' option to a Python 2 "
  84. "interpreter path." )
  85. CORE_PYTHON3_MESSAGE = (
  86. "YCM core library compiled for Python 3 but loaded in Python 2. "
  87. "Set the 'g:ycm_server_python_interpreter' option to a Python 3 "
  88. "interpreter path." )
  89. CORE_OUTDATED_MESSAGE = (
  90. 'YCM core library too old; PLEASE RECOMPILE by running the install.py '
  91. 'script. See the documentation for more details.' )
  92. SERVER_IDLE_SUICIDE_SECONDS = 1800 # 30 minutes
  93. DIAGNOSTIC_UI_FILETYPES = set( [ 'cpp', 'cs', 'c', 'objc', 'objcpp',
  94. 'typescript' ] )
  95. CLIENT_LOGFILE_FORMAT = 'ycm_'
  96. SERVER_LOGFILE_FORMAT = 'ycmd_{port}_{std}_'
  97. # Flag to set a file handle inheritable by child processes on Windows. See
  98. # https://msdn.microsoft.com/en-us/library/ms724935.aspx
  99. HANDLE_FLAG_INHERIT = 0x00000001
  100. class YouCompleteMe( object ):
  101. def __init__( self, user_options ):
  102. self._available_completers = {}
  103. self._user_options = user_options
  104. self._user_notified_about_crash = False
  105. self._omnicomp = OmniCompleter( user_options )
  106. self._buffers = BufferDict( user_options )
  107. self._current_buffer = None
  108. self._latest_completion_request = None
  109. self._logger = logging.getLogger( 'ycm' )
  110. self._client_logfile = None
  111. self._server_stdout = None
  112. self._server_stderr = None
  113. self._server_popen = None
  114. self._filetypes_with_keywords_loaded = set()
  115. self._ycmd_keepalive = YcmdKeepalive()
  116. self._server_is_ready_with_cache = False
  117. self._SetupLogging()
  118. self._SetupServer()
  119. self._ycmd_keepalive.Start()
  120. self._complete_done_hooks = {
  121. 'cs': lambda self: self._OnCompleteDone_Csharp()
  122. }
  123. def _SetupServer( self ):
  124. self._available_completers = {}
  125. self._user_notified_about_crash = False
  126. self._filetypes_with_keywords_loaded = set()
  127. self._server_is_ready_with_cache = False
  128. server_port = utils.GetUnusedLocalhostPort()
  129. # The temp options file is deleted by ycmd during startup
  130. with NamedTemporaryFile( delete = False, mode = 'w+' ) as options_file:
  131. hmac_secret = os.urandom( HMAC_SECRET_LENGTH )
  132. options_dict = dict( self._user_options )
  133. options_dict[ 'hmac_secret' ] = utils.ToUnicode(
  134. base64.b64encode( hmac_secret ) )
  135. options_dict[ 'server_keep_logfiles' ] = self._user_options[
  136. 'keep_logfiles' ]
  137. json.dump( options_dict, options_file )
  138. options_file.flush()
  139. args = [ paths.PathToPythonInterpreter(),
  140. paths.PathToServerScript(),
  141. '--port={0}'.format( server_port ),
  142. '--options_file={0}'.format( options_file.name ),
  143. '--log={0}'.format( self._user_options[ 'log_level' ] ),
  144. '--idle_suicide_seconds={0}'.format(
  145. SERVER_IDLE_SUICIDE_SECONDS ) ]
  146. self._server_stdout = utils.CreateLogfile(
  147. SERVER_LOGFILE_FORMAT.format( port = server_port, std = 'stdout' ) )
  148. self._server_stderr = utils.CreateLogfile(
  149. SERVER_LOGFILE_FORMAT.format( port = server_port, std = 'stderr' ) )
  150. args.append( '--stdout={0}'.format( self._server_stdout ) )
  151. args.append( '--stderr={0}'.format( self._server_stderr ) )
  152. if self._user_options[ 'keep_logfiles' ]:
  153. args.append( '--keep_logfiles' )
  154. self._server_popen = utils.SafePopen( args, stdin_windows = PIPE,
  155. stdout = PIPE, stderr = PIPE )
  156. BaseRequest.server_location = 'http://127.0.0.1:' + str( server_port )
  157. BaseRequest.hmac_secret = hmac_secret
  158. self._NotifyUserIfServerCrashed()
  159. def _SetupLogging( self ):
  160. def FreeFileFromOtherProcesses( file_object ):
  161. if utils.OnWindows():
  162. from ctypes import windll
  163. import msvcrt
  164. file_handle = msvcrt.get_osfhandle( file_object.fileno() )
  165. windll.kernel32.SetHandleInformation( file_handle,
  166. HANDLE_FLAG_INHERIT,
  167. 0 )
  168. self._client_logfile = utils.CreateLogfile( CLIENT_LOGFILE_FORMAT )
  169. log_level = self._user_options[ 'log_level' ]
  170. numeric_level = getattr( logging, log_level.upper(), None )
  171. if not isinstance( numeric_level, int ):
  172. raise ValueError( 'Invalid log level: {0}'.format( log_level ) )
  173. self._logger.setLevel( numeric_level )
  174. handler = logging.FileHandler( self._client_logfile )
  175. # On Windows and Python prior to 3.4, file handles are inherited by child
  176. # processes started with at least one replaced standard stream, which is the
  177. # case when we start the ycmd server (we are redirecting all standard
  178. # outputs into a pipe). These files cannot be removed while the child
  179. # processes are still up. This is not desirable for a logfile because we
  180. # want to remove it at Vim exit without having to wait for the ycmd server
  181. # to be completely shut down. We need to make the logfile handle
  182. # non-inheritable. See https://www.python.org/dev/peps/pep-0446 for more
  183. # details.
  184. FreeFileFromOtherProcesses( handler.stream )
  185. formatter = logging.Formatter( '%(asctime)s - %(levelname)s - %(message)s' )
  186. handler.setFormatter( formatter )
  187. self._logger.addHandler( handler )
  188. def IsServerAlive( self ):
  189. return_code = self._server_popen.poll()
  190. # When the process hasn't finished yet, poll() returns None.
  191. return return_code is None
  192. def CheckIfServerIsReady( self ):
  193. if not self._server_is_ready_with_cache and self.IsServerAlive():
  194. with HandleServerException( display = False ):
  195. self._server_is_ready_with_cache = BaseRequest.GetDataFromHandler(
  196. 'ready' )
  197. return self._server_is_ready_with_cache
  198. def IsServerReady( self ):
  199. return self._server_is_ready_with_cache
  200. def _NotifyUserIfServerCrashed( self ):
  201. if self._user_notified_about_crash or self.IsServerAlive():
  202. return
  203. self._user_notified_about_crash = True
  204. return_code = self._server_popen.poll()
  205. if return_code == server_utils.CORE_UNEXPECTED_STATUS:
  206. error_message = CORE_UNEXPECTED_MESSAGE
  207. elif return_code == server_utils.CORE_MISSING_STATUS:
  208. error_message = CORE_MISSING_MESSAGE
  209. elif return_code == server_utils.CORE_PYTHON2_STATUS:
  210. error_message = CORE_PYTHON2_MESSAGE
  211. elif return_code == server_utils.CORE_PYTHON3_STATUS:
  212. error_message = CORE_PYTHON3_MESSAGE
  213. elif return_code == server_utils.CORE_OUTDATED_STATUS:
  214. error_message = CORE_OUTDATED_MESSAGE
  215. else:
  216. error_message = EXIT_CODE_UNEXPECTED_MESSAGE.format( code = return_code )
  217. server_stderr = '\n'.join(
  218. utils.ToUnicode( self._server_popen.stderr.read() ).splitlines() )
  219. if server_stderr:
  220. self._logger.error( server_stderr )
  221. error_message = SERVER_SHUTDOWN_MESSAGE + ' ' + error_message
  222. self._logger.error( error_message )
  223. vimsupport.PostVimMessage( error_message )
  224. def ServerPid( self ):
  225. if not self._server_popen:
  226. return -1
  227. return self._server_popen.pid
  228. def _ShutdownServer( self ):
  229. SendShutdownRequest()
  230. def RestartServer( self ):
  231. vimsupport.PostVimMessage( 'Restarting ycmd server...' )
  232. self._ShutdownServer()
  233. self._SetupServer()
  234. def CreateCompletionRequest( self, force_semantic = False ):
  235. request_data = BuildRequestData()
  236. if ( not self.NativeFiletypeCompletionAvailable() and
  237. self.CurrentFiletypeCompletionEnabled() ):
  238. wrapped_request_data = RequestWrap( request_data )
  239. if self._omnicomp.ShouldUseNow( wrapped_request_data ):
  240. self._latest_completion_request = OmniCompletionRequest(
  241. self._omnicomp, wrapped_request_data )
  242. return self._latest_completion_request
  243. request_data[ 'working_dir' ] = utils.GetCurrentDirectory()
  244. self._AddExtraConfDataIfNeeded( request_data )
  245. if force_semantic:
  246. request_data[ 'force_semantic' ] = True
  247. self._latest_completion_request = CompletionRequest( request_data )
  248. return self._latest_completion_request
  249. def GetCompletions( self ):
  250. request = self.GetCurrentCompletionRequest()
  251. request.Start()
  252. while not request.Done():
  253. try:
  254. if vimsupport.GetBoolValue( 'complete_check()' ):
  255. return { 'words' : [], 'refresh' : 'always' }
  256. except KeyboardInterrupt:
  257. return { 'words' : [], 'refresh' : 'always' }
  258. results = base.AdjustCandidateInsertionText( request.Response() )
  259. return { 'words' : results, 'refresh' : 'always' }
  260. def SendCommandRequest( self, arguments, completer ):
  261. extra_data = {}
  262. self._AddExtraConfDataIfNeeded( extra_data )
  263. return SendCommandRequest( arguments, completer, extra_data )
  264. def GetDefinedSubcommands( self ):
  265. with HandleServerException():
  266. return BaseRequest.PostDataToHandler( BuildRequestData(),
  267. 'defined_subcommands' )
  268. return []
  269. def GetCurrentCompletionRequest( self ):
  270. return self._latest_completion_request
  271. def GetOmniCompleter( self ):
  272. return self._omnicomp
  273. def FiletypeCompleterExistsForFiletype( self, filetype ):
  274. try:
  275. return self._available_completers[ filetype ]
  276. except KeyError:
  277. pass
  278. exists_completer = SendCompleterAvailableRequest( filetype )
  279. if exists_completer is None:
  280. return False
  281. self._available_completers[ filetype ] = exists_completer
  282. return exists_completer
  283. def NativeFiletypeCompletionAvailable( self ):
  284. return any( [ self.FiletypeCompleterExistsForFiletype( x ) for x in
  285. vimsupport.CurrentFiletypes() ] )
  286. def NativeFiletypeCompletionUsable( self ):
  287. return ( self.CurrentFiletypeCompletionEnabled() and
  288. self.NativeFiletypeCompletionAvailable() )
  289. def NeedsReparse( self ):
  290. return self._current_buffer.NeedsReparse()
  291. def OnFileReadyToParse( self ):
  292. if not self.IsServerAlive():
  293. self._NotifyUserIfServerCrashed()
  294. return
  295. if not self.IsServerReady():
  296. return
  297. self._omnicomp.OnFileReadyToParse( None )
  298. extra_data = {}
  299. self._AddTagsFilesIfNeeded( extra_data )
  300. self._AddSyntaxDataIfNeeded( extra_data )
  301. self._AddExtraConfDataIfNeeded( extra_data )
  302. self._current_buffer.SendParseRequest( extra_data )
  303. def OnBufferUnload( self, deleted_buffer_file ):
  304. SendEventNotificationAsync( 'BufferUnload', filepath = deleted_buffer_file )
  305. def OnBufferVisit( self ):
  306. extra_data = {}
  307. self._AddUltiSnipsDataIfNeeded( extra_data )
  308. SendEventNotificationAsync( 'BufferVisit', extra_data = extra_data )
  309. def SetCurrentBuffer( self ):
  310. self._current_buffer = self._buffers[ vimsupport.GetCurrentBufferNumber() ]
  311. def OnInsertLeave( self ):
  312. SendEventNotificationAsync( 'InsertLeave' )
  313. def OnCursorMoved( self ):
  314. self._current_buffer.OnCursorMoved()
  315. def _CleanLogfile( self ):
  316. logging.shutdown()
  317. if not self._user_options[ 'keep_logfiles' ]:
  318. if self._client_logfile:
  319. utils.RemoveIfExists( self._client_logfile )
  320. def OnVimLeave( self ):
  321. self._ShutdownServer()
  322. self._CleanLogfile()
  323. def OnCurrentIdentifierFinished( self ):
  324. SendEventNotificationAsync( 'CurrentIdentifierFinished' )
  325. def OnCompleteDone( self ):
  326. complete_done_actions = self.GetCompleteDoneHooks()
  327. for action in complete_done_actions:
  328. action(self)
  329. def GetCompleteDoneHooks( self ):
  330. filetypes = vimsupport.CurrentFiletypes()
  331. for key, value in iteritems( self._complete_done_hooks ):
  332. if key in filetypes:
  333. yield value
  334. def GetCompletionsUserMayHaveCompleted( self ):
  335. latest_completion_request = self.GetCurrentCompletionRequest()
  336. if not latest_completion_request or not latest_completion_request.Done():
  337. return []
  338. completions = latest_completion_request.RawResponse()
  339. result = self._FilterToMatchingCompletions( completions, True )
  340. result = list( result )
  341. if result:
  342. return result
  343. if self._HasCompletionsThatCouldBeCompletedWithMoreText( completions ):
  344. # Since the way that YCM works leads to CompleteDone called on every
  345. # character, return blank if the completion might not be done. This won't
  346. # match if the completion is ended with typing a non-keyword character.
  347. return []
  348. result = self._FilterToMatchingCompletions( completions, False )
  349. return list( result )
  350. def _FilterToMatchingCompletions( self, completions, full_match_only ):
  351. """Filter to completions matching the item Vim said was completed"""
  352. completed = vimsupport.GetVariableValue( 'v:completed_item' )
  353. for completion in completions:
  354. item = ConvertCompletionDataToVimData( completion )
  355. match_keys = ( [ "word", "abbr", "menu", "info" ] if full_match_only
  356. else [ 'word' ] )
  357. def matcher( key ):
  358. return ( utils.ToUnicode( completed.get( key, "" ) ) ==
  359. utils.ToUnicode( item.get( key, "" ) ) )
  360. if all( [ matcher( i ) for i in match_keys ] ):
  361. yield completion
  362. def _HasCompletionsThatCouldBeCompletedWithMoreText( self, completions ):
  363. completed_item = vimsupport.GetVariableValue( 'v:completed_item' )
  364. if not completed_item:
  365. return False
  366. completed_word = utils.ToUnicode( completed_item[ 'word' ] )
  367. if not completed_word:
  368. return False
  369. # Sometimes CompleteDone is called after the next character is inserted.
  370. # If so, use inserted character to filter possible completions further.
  371. text = vimsupport.TextBeforeCursor()
  372. reject_exact_match = True
  373. if text and text[ -1 ] != completed_word[ -1 ]:
  374. reject_exact_match = False
  375. completed_word += text[ -1 ]
  376. for completion in completions:
  377. word = utils.ToUnicode(
  378. ConvertCompletionDataToVimData( completion )[ 'word' ] )
  379. if reject_exact_match and word == completed_word:
  380. continue
  381. if word.startswith( completed_word ):
  382. return True
  383. return False
  384. def _OnCompleteDone_Csharp( self ):
  385. completions = self.GetCompletionsUserMayHaveCompleted()
  386. namespaces = [ self._GetRequiredNamespaceImport( c )
  387. for c in completions ]
  388. namespaces = [ n for n in namespaces if n ]
  389. if not namespaces:
  390. return
  391. if len( namespaces ) > 1:
  392. choices = [ "{0} {1}".format( i + 1, n )
  393. for i, n in enumerate( namespaces ) ]
  394. choice = vimsupport.PresentDialog( "Insert which namespace:", choices )
  395. if choice < 0:
  396. return
  397. namespace = namespaces[ choice ]
  398. else:
  399. namespace = namespaces[ 0 ]
  400. vimsupport.InsertNamespace( namespace )
  401. def _GetRequiredNamespaceImport( self, completion ):
  402. if ( "extra_data" not in completion
  403. or "required_namespace_import" not in completion[ "extra_data" ] ):
  404. return None
  405. return completion[ "extra_data" ][ "required_namespace_import" ]
  406. def GetErrorCount( self ):
  407. return self._current_buffer.GetErrorCount()
  408. def GetWarningCount( self ):
  409. return self._current_buffer.GetWarningCount()
  410. def DiagnosticUiSupportedForCurrentFiletype( self ):
  411. return any( [ x in DIAGNOSTIC_UI_FILETYPES
  412. for x in vimsupport.CurrentFiletypes() ] )
  413. def ShouldDisplayDiagnostics( self ):
  414. return bool( self._user_options[ 'show_diagnostics_ui' ] and
  415. self.DiagnosticUiSupportedForCurrentFiletype() )
  416. def _PopulateLocationListWithLatestDiagnostics( self ):
  417. return self._current_buffer.PopulateLocationList()
  418. def FileParseRequestReady( self ):
  419. # Return True if server is not ready yet, to stop repeating check timer.
  420. return ( not self.IsServerReady() or
  421. self._current_buffer.FileParseRequestReady() )
  422. def HandleFileParseRequest( self, block = False ):
  423. if not self.IsServerReady():
  424. return
  425. current_buffer = self._current_buffer
  426. # Order is important here:
  427. # FileParseRequestReady has a low cost, while
  428. # NativeFiletypeCompletionUsable is a blocking server request
  429. if ( not current_buffer.IsResponseHandled() and
  430. current_buffer.FileParseRequestReady( block ) and
  431. self.NativeFiletypeCompletionUsable() ):
  432. if self.ShouldDisplayDiagnostics():
  433. current_buffer.UpdateDiagnostics()
  434. else:
  435. # YCM client has a hard-coded list of filetypes which are known
  436. # to support diagnostics, self.DiagnosticUiSupportedForCurrentFiletype()
  437. #
  438. # For filetypes which don't support diagnostics, we just want to check
  439. # the _latest_file_parse_request for any exception or UnknownExtraConf
  440. # response, to allow the server to raise configuration warnings, etc.
  441. # to the user. We ignore any other supplied data.
  442. current_buffer.GetResponse()
  443. # We set the file parse request as handled because we want to prevent
  444. # repeated issuing of the same warnings/errors/prompts. Setting this
  445. # makes IsRequestHandled return True until the next request is created.
  446. #
  447. # Note: it is the server's responsibility to determine the frequency of
  448. # error/warning/prompts when receiving a FileReadyToParse event, but
  449. # it is our responsibility to ensure that we only apply the
  450. # warning/error/prompt received once (for each event).
  451. current_buffer.MarkResponseHandled()
  452. def DebugInfo( self ):
  453. debug_info = ''
  454. if self._client_logfile:
  455. debug_info += 'Client logfile: {0}\n'.format( self._client_logfile )
  456. extra_data = {}
  457. self._AddExtraConfDataIfNeeded( extra_data )
  458. debug_info += FormatDebugInfoResponse( SendDebugInfoRequest( extra_data ) )
  459. debug_info += (
  460. 'Server running at: {0}\n'
  461. 'Server process ID: {1}\n'.format( BaseRequest.server_location,
  462. self._server_popen.pid ) )
  463. if self._server_stdout and self._server_stderr:
  464. debug_info += ( 'Server logfiles:\n'
  465. ' {0}\n'
  466. ' {1}'.format( self._server_stdout,
  467. self._server_stderr ) )
  468. return debug_info
  469. def GetLogfiles( self ):
  470. logfiles_list = [ self._client_logfile,
  471. self._server_stdout,
  472. self._server_stderr ]
  473. debug_info = SendDebugInfoRequest()
  474. if debug_info:
  475. completer = debug_info[ 'completer' ]
  476. if completer:
  477. for server in completer[ 'servers' ]:
  478. logfiles_list.extend( server[ 'logfiles' ] )
  479. logfiles = {}
  480. for logfile in logfiles_list:
  481. logfiles[ os.path.basename( logfile ) ] = logfile
  482. return logfiles
  483. def _OpenLogfile( self, logfile ):
  484. # Open log files in a horizontal window with the same behavior as the
  485. # preview window (same height and winfixheight enabled). Automatically
  486. # watch for changes. Set the cursor position at the end of the file.
  487. options = {
  488. 'size': vimsupport.GetIntValue( '&previewheight' ),
  489. 'fix': True,
  490. 'focus': False,
  491. 'watch': True,
  492. 'position': 'end'
  493. }
  494. vimsupport.OpenFilename( logfile, options )
  495. def _CloseLogfile( self, logfile ):
  496. vimsupport.CloseBuffersForFilename( logfile )
  497. def ToggleLogs( self, *filenames ):
  498. logfiles = self.GetLogfiles()
  499. if not filenames:
  500. vimsupport.PostVimMessage(
  501. 'Available logfiles are:\n'
  502. '{0}'.format( '\n'.join( sorted( list( logfiles ) ) ) ) )
  503. return
  504. for filename in set( filenames ):
  505. if filename not in logfiles:
  506. continue
  507. logfile = logfiles[ filename ]
  508. if not vimsupport.BufferIsVisibleForFilename( logfile ):
  509. self._OpenLogfile( logfile )
  510. continue
  511. self._CloseLogfile( logfile )
  512. def CurrentFiletypeCompletionEnabled( self ):
  513. filetypes = vimsupport.CurrentFiletypes()
  514. filetype_to_disable = self._user_options[
  515. 'filetype_specific_completion_to_disable' ]
  516. if '*' in filetype_to_disable:
  517. return False
  518. else:
  519. return not any([ x in filetype_to_disable for x in filetypes ])
  520. def ShowDetailedDiagnostic( self ):
  521. with HandleServerException():
  522. detailed_diagnostic = BaseRequest.PostDataToHandler(
  523. BuildRequestData(), 'detailed_diagnostic' )
  524. if 'message' in detailed_diagnostic:
  525. vimsupport.PostVimMessage( detailed_diagnostic[ 'message' ],
  526. warning = False )
  527. def ForceCompileAndDiagnostics( self ):
  528. if not self.NativeFiletypeCompletionUsable():
  529. vimsupport.PostVimMessage(
  530. 'Native filetype completion not supported for current file, '
  531. 'cannot force recompilation.', warning = False )
  532. return False
  533. vimsupport.PostVimMessage(
  534. 'Forcing compilation, this will block Vim until done.',
  535. warning = False )
  536. self.OnFileReadyToParse()
  537. self.HandleFileParseRequest( block = True )
  538. vimsupport.PostVimMessage( 'Diagnostics refreshed', warning = False )
  539. return True
  540. def ShowDiagnostics( self ):
  541. if not self.ForceCompileAndDiagnostics():
  542. return
  543. if not self._PopulateLocationListWithLatestDiagnostics():
  544. vimsupport.PostVimMessage( 'No warnings or errors detected.',
  545. warning = False )
  546. return
  547. if self._user_options[ 'open_loclist_on_ycm_diags' ]:
  548. vimsupport.OpenLocationList( focus = True )
  549. def _AddSyntaxDataIfNeeded( self, extra_data ):
  550. if not self._user_options[ 'seed_identifiers_with_syntax' ]:
  551. return
  552. filetype = vimsupport.CurrentFiletypes()[ 0 ]
  553. if filetype in self._filetypes_with_keywords_loaded:
  554. return
  555. if self.IsServerReady():
  556. self._filetypes_with_keywords_loaded.add( filetype )
  557. extra_data[ 'syntax_keywords' ] = list(
  558. syntax_parse.SyntaxKeywordsForCurrentBuffer() )
  559. def _AddTagsFilesIfNeeded( self, extra_data ):
  560. def GetTagFiles():
  561. tag_files = vim.eval( 'tagfiles()' )
  562. return [ os.path.join( utils.GetCurrentDirectory(), tag_file )
  563. for tag_file in tag_files ]
  564. if not self._user_options[ 'collect_identifiers_from_tags_files' ]:
  565. return
  566. extra_data[ 'tag_files' ] = GetTagFiles()
  567. def _AddExtraConfDataIfNeeded( self, extra_data ):
  568. def BuildExtraConfData( extra_conf_vim_data ):
  569. return dict( ( expr, vimsupport.VimExpressionToPythonType( expr ) )
  570. for expr in extra_conf_vim_data )
  571. extra_conf_vim_data = self._user_options[ 'extra_conf_vim_data' ]
  572. if extra_conf_vim_data:
  573. extra_data[ 'extra_conf_data' ] = BuildExtraConfData(
  574. extra_conf_vim_data )
  575. def _AddUltiSnipsDataIfNeeded( self, extra_data ):
  576. # See :h UltiSnips#SnippetsInCurrentScope.
  577. try:
  578. vim.eval( 'UltiSnips#SnippetsInCurrentScope( 1 )' )
  579. except vim.error:
  580. return
  581. snippets = vimsupport.GetVariableValue( 'g:current_ulti_dict_info' )
  582. extra_data[ 'ultisnips_snippets' ] = [
  583. { 'trigger': trigger,
  584. 'description': snippet[ 'description' ] }
  585. for trigger, snippet in iteritems( snippets )
  586. ]