1
0

youcompleteme.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757
  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. "Type ':YcmToggleLogs {logfile}' to check the logs." )
  75. CORE_UNEXPECTED_MESSAGE = (
  76. "Unexpected error while loading the YCM core library. "
  77. "Type ':YcmToggleLogs {logfile}' 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._latest_completion_request = None
  108. self._logger = logging.getLogger( 'ycm' )
  109. self._client_logfile = None
  110. self._server_stdout = None
  111. self._server_stderr = None
  112. self._server_popen = None
  113. self._filetypes_with_keywords_loaded = set()
  114. self._ycmd_keepalive = YcmdKeepalive()
  115. self._server_is_ready_with_cache = False
  116. self._SetupLogging()
  117. self._SetupServer()
  118. self._ycmd_keepalive.Start()
  119. self._complete_done_hooks = {
  120. 'cs': lambda self: self._OnCompleteDone_Csharp()
  121. }
  122. def _SetupServer( self ):
  123. self._available_completers = {}
  124. self._user_notified_about_crash = False
  125. self._filetypes_with_keywords_loaded = set()
  126. self._server_is_ready_with_cache = False
  127. server_port = utils.GetUnusedLocalhostPort()
  128. # The temp options file is deleted by ycmd during startup
  129. with NamedTemporaryFile( delete = False, mode = 'w+' ) as options_file:
  130. hmac_secret = os.urandom( HMAC_SECRET_LENGTH )
  131. options_dict = dict( self._user_options )
  132. options_dict[ 'hmac_secret' ] = utils.ToUnicode(
  133. base64.b64encode( hmac_secret ) )
  134. options_dict[ 'server_keep_logfiles' ] = self._user_options[
  135. 'keep_logfiles' ]
  136. json.dump( options_dict, options_file )
  137. options_file.flush()
  138. args = [ paths.PathToPythonInterpreter(),
  139. paths.PathToServerScript(),
  140. '--port={0}'.format( server_port ),
  141. '--options_file={0}'.format( options_file.name ),
  142. '--log={0}'.format( self._user_options[ 'log_level' ] ),
  143. '--idle_suicide_seconds={0}'.format(
  144. SERVER_IDLE_SUICIDE_SECONDS ) ]
  145. self._server_stdout = utils.CreateLogfile(
  146. SERVER_LOGFILE_FORMAT.format( port = server_port, std = 'stdout' ) )
  147. self._server_stderr = utils.CreateLogfile(
  148. SERVER_LOGFILE_FORMAT.format( port = server_port, std = 'stderr' ) )
  149. args.append( '--stdout={0}'.format( self._server_stdout ) )
  150. args.append( '--stderr={0}'.format( self._server_stderr ) )
  151. if self._user_options[ 'keep_logfiles' ]:
  152. args.append( '--keep_logfiles' )
  153. self._server_popen = utils.SafePopen( args, stdin_windows = PIPE,
  154. stdout = PIPE, stderr = PIPE )
  155. BaseRequest.server_location = 'http://127.0.0.1:' + str( server_port )
  156. BaseRequest.hmac_secret = hmac_secret
  157. self._NotifyUserIfServerCrashed()
  158. def _SetupLogging( self ):
  159. def FreeFileFromOtherProcesses( file_object ):
  160. if utils.OnWindows():
  161. from ctypes import windll
  162. import msvcrt
  163. file_handle = msvcrt.get_osfhandle( file_object.fileno() )
  164. windll.kernel32.SetHandleInformation( file_handle,
  165. HANDLE_FLAG_INHERIT,
  166. 0 )
  167. self._client_logfile = utils.CreateLogfile( CLIENT_LOGFILE_FORMAT )
  168. log_level = self._user_options[ 'log_level' ]
  169. numeric_level = getattr( logging, log_level.upper(), None )
  170. if not isinstance( numeric_level, int ):
  171. raise ValueError( 'Invalid log level: {0}'.format( log_level ) )
  172. self._logger.setLevel( numeric_level )
  173. handler = logging.FileHandler( self._client_logfile )
  174. # On Windows and Python prior to 3.4, file handles are inherited by child
  175. # processes started with at least one replaced standard stream, which is the
  176. # case when we start the ycmd server (we are redirecting all standard
  177. # outputs into a pipe). These files cannot be removed while the child
  178. # processes are still up. This is not desirable for a logfile because we
  179. # want to remove it at Vim exit without having to wait for the ycmd server
  180. # to be completely shut down. We need to make the logfile handle
  181. # non-inheritable. See https://www.python.org/dev/peps/pep-0446 for more
  182. # details.
  183. FreeFileFromOtherProcesses( handler.stream )
  184. formatter = logging.Formatter( '%(asctime)s - %(levelname)s - %(message)s' )
  185. handler.setFormatter( formatter )
  186. self._logger.addHandler( handler )
  187. def IsServerAlive( self ):
  188. return_code = self._server_popen.poll()
  189. # When the process hasn't finished yet, poll() returns None.
  190. return return_code is None
  191. def CheckIfServerIsReady( self ):
  192. if not self._server_is_ready_with_cache:
  193. with HandleServerException( display = False ):
  194. self._server_is_ready_with_cache = BaseRequest.GetDataFromHandler(
  195. 'ready' )
  196. return self._server_is_ready_with_cache
  197. def IsServerReady( self ):
  198. return self._server_is_ready_with_cache
  199. def _NotifyUserIfServerCrashed( self ):
  200. if self._user_notified_about_crash or self.IsServerAlive():
  201. return
  202. self._user_notified_about_crash = True
  203. return_code = self._server_popen.poll()
  204. logfile = os.path.basename( self._server_stderr )
  205. if return_code == server_utils.CORE_UNEXPECTED_STATUS:
  206. error_message = CORE_UNEXPECTED_MESSAGE.format(
  207. logfile = logfile )
  208. elif return_code == server_utils.CORE_MISSING_STATUS:
  209. error_message = CORE_MISSING_MESSAGE
  210. elif return_code == server_utils.CORE_PYTHON2_STATUS:
  211. error_message = CORE_PYTHON2_MESSAGE
  212. elif return_code == server_utils.CORE_PYTHON3_STATUS:
  213. error_message = CORE_PYTHON3_MESSAGE
  214. elif return_code == server_utils.CORE_OUTDATED_STATUS:
  215. error_message = CORE_OUTDATED_MESSAGE
  216. else:
  217. error_message = EXIT_CODE_UNEXPECTED_MESSAGE.format(
  218. code = return_code,
  219. logfile = logfile )
  220. error_message = SERVER_SHUTDOWN_MESSAGE + ' ' + error_message
  221. self._logger.error( error_message )
  222. vimsupport.PostVimMessage( error_message )
  223. def ServerPid( self ):
  224. if not self._server_popen:
  225. return -1
  226. return self._server_popen.pid
  227. def _ShutdownServer( self ):
  228. SendShutdownRequest()
  229. def RestartServer( self ):
  230. vimsupport.PostVimMessage( 'Restarting ycmd server...' )
  231. self._ShutdownServer()
  232. self._SetupServer()
  233. def SendCompletionRequest( self, force_semantic = False ):
  234. request_data = BuildRequestData()
  235. request_data[ 'force_semantic' ] = force_semantic
  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. self._latest_completion_request.Start()
  243. return
  244. request_data[ 'working_dir' ] = utils.GetCurrentDirectory()
  245. self._AddExtraConfDataIfNeeded( request_data )
  246. self._latest_completion_request = CompletionRequest( request_data )
  247. self._latest_completion_request.Start()
  248. def CompletionRequestReady( self ):
  249. return bool( self._latest_completion_request and
  250. self._latest_completion_request.Done() )
  251. def GetCompletionResponse( self ):
  252. response = self._latest_completion_request.Response()
  253. response[ 'completions' ] = base.AdjustCandidateInsertionText(
  254. response[ 'completions' ] )
  255. return response
  256. def SendCommandRequest( self, arguments, completer ):
  257. extra_data = {}
  258. self._AddExtraConfDataIfNeeded( extra_data )
  259. return SendCommandRequest( arguments, completer, extra_data )
  260. def GetDefinedSubcommands( self ):
  261. with HandleServerException():
  262. return BaseRequest.PostDataToHandler( BuildRequestData(),
  263. 'defined_subcommands' )
  264. return []
  265. def GetCurrentCompletionRequest( self ):
  266. return self._latest_completion_request
  267. def GetOmniCompleter( self ):
  268. return self._omnicomp
  269. def FiletypeCompleterExistsForFiletype( self, filetype ):
  270. try:
  271. return self._available_completers[ filetype ]
  272. except KeyError:
  273. pass
  274. exists_completer = SendCompleterAvailableRequest( filetype )
  275. if exists_completer is None:
  276. return False
  277. self._available_completers[ filetype ] = exists_completer
  278. return exists_completer
  279. def NativeFiletypeCompletionAvailable( self ):
  280. return any( [ self.FiletypeCompleterExistsForFiletype( x ) for x in
  281. vimsupport.CurrentFiletypes() ] )
  282. def NativeFiletypeCompletionUsable( self ):
  283. return ( self.CurrentFiletypeCompletionEnabled() and
  284. self.NativeFiletypeCompletionAvailable() )
  285. def NeedsReparse( self ):
  286. return self.CurrentBuffer().NeedsReparse()
  287. def OnFileReadyToParse( self ):
  288. if not self.IsServerAlive():
  289. self._NotifyUserIfServerCrashed()
  290. return
  291. if not self.IsServerReady():
  292. return
  293. extra_data = {}
  294. self._AddTagsFilesIfNeeded( extra_data )
  295. self._AddSyntaxDataIfNeeded( extra_data )
  296. self._AddExtraConfDataIfNeeded( extra_data )
  297. self.CurrentBuffer().SendParseRequest( extra_data )
  298. def OnBufferUnload( self, deleted_buffer_file ):
  299. SendEventNotificationAsync(
  300. 'BufferUnload',
  301. filepath = utils.ToUnicode( deleted_buffer_file ) )
  302. def OnBufferVisit( self ):
  303. extra_data = {}
  304. self._AddUltiSnipsDataIfNeeded( extra_data )
  305. SendEventNotificationAsync( 'BufferVisit', extra_data = extra_data )
  306. def CurrentBuffer( self ):
  307. return self._buffers[ vimsupport.GetCurrentBufferNumber() ]
  308. def OnInsertLeave( self ):
  309. SendEventNotificationAsync( 'InsertLeave' )
  310. def OnCursorMoved( self ):
  311. self.CurrentBuffer().OnCursorMoved()
  312. def _CleanLogfile( self ):
  313. logging.shutdown()
  314. if not self._user_options[ 'keep_logfiles' ]:
  315. if self._client_logfile:
  316. utils.RemoveIfExists( self._client_logfile )
  317. def OnVimLeave( self ):
  318. self._ShutdownServer()
  319. self._CleanLogfile()
  320. def OnCurrentIdentifierFinished( self ):
  321. SendEventNotificationAsync( 'CurrentIdentifierFinished' )
  322. def OnCompleteDone( self ):
  323. complete_done_actions = self.GetCompleteDoneHooks()
  324. for action in complete_done_actions:
  325. action(self)
  326. def GetCompleteDoneHooks( self ):
  327. filetypes = vimsupport.CurrentFiletypes()
  328. for key, value in iteritems( self._complete_done_hooks ):
  329. if key in filetypes:
  330. yield value
  331. def GetCompletionsUserMayHaveCompleted( self ):
  332. latest_completion_request = self.GetCurrentCompletionRequest()
  333. if not latest_completion_request or not latest_completion_request.Done():
  334. return []
  335. completions = latest_completion_request.RawResponse()
  336. result = self._FilterToMatchingCompletions( completions, True )
  337. result = list( result )
  338. if result:
  339. return result
  340. if self._HasCompletionsThatCouldBeCompletedWithMoreText( completions ):
  341. # Since the way that YCM works leads to CompleteDone called on every
  342. # character, return blank if the completion might not be done. This won't
  343. # match if the completion is ended with typing a non-keyword character.
  344. return []
  345. result = self._FilterToMatchingCompletions( completions, False )
  346. return list( result )
  347. def _FilterToMatchingCompletions( self, completions, full_match_only ):
  348. """Filter to completions matching the item Vim said was completed"""
  349. completed = vimsupport.GetVariableValue( 'v:completed_item' )
  350. for completion in completions:
  351. item = ConvertCompletionDataToVimData( completion )
  352. match_keys = ( [ "word", "abbr", "menu", "info" ] if full_match_only
  353. else [ 'word' ] )
  354. def matcher( key ):
  355. return ( utils.ToUnicode( completed.get( key, "" ) ) ==
  356. utils.ToUnicode( item.get( key, "" ) ) )
  357. if all( [ matcher( i ) for i in match_keys ] ):
  358. yield completion
  359. def _HasCompletionsThatCouldBeCompletedWithMoreText( self, completions ):
  360. completed_item = vimsupport.GetVariableValue( 'v:completed_item' )
  361. if not completed_item:
  362. return False
  363. completed_word = utils.ToUnicode( completed_item[ 'word' ] )
  364. if not completed_word:
  365. return False
  366. # Sometimes CompleteDone is called after the next character is inserted.
  367. # If so, use inserted character to filter possible completions further.
  368. text = vimsupport.TextBeforeCursor()
  369. reject_exact_match = True
  370. if text and text[ -1 ] != completed_word[ -1 ]:
  371. reject_exact_match = False
  372. completed_word += text[ -1 ]
  373. for completion in completions:
  374. word = utils.ToUnicode(
  375. ConvertCompletionDataToVimData( completion )[ 'word' ] )
  376. if reject_exact_match and word == completed_word:
  377. continue
  378. if word.startswith( completed_word ):
  379. return True
  380. return False
  381. def _OnCompleteDone_Csharp( self ):
  382. completions = self.GetCompletionsUserMayHaveCompleted()
  383. namespaces = [ self._GetRequiredNamespaceImport( c )
  384. for c in completions ]
  385. namespaces = [ n for n in namespaces if n ]
  386. if not namespaces:
  387. return
  388. if len( namespaces ) > 1:
  389. choices = [ "{0} {1}".format( i + 1, n )
  390. for i, n in enumerate( namespaces ) ]
  391. choice = vimsupport.PresentDialog( "Insert which namespace:", choices )
  392. if choice < 0:
  393. return
  394. namespace = namespaces[ choice ]
  395. else:
  396. namespace = namespaces[ 0 ]
  397. vimsupport.InsertNamespace( namespace )
  398. def _GetRequiredNamespaceImport( self, completion ):
  399. if ( "extra_data" not in completion
  400. or "required_namespace_import" not in completion[ "extra_data" ] ):
  401. return None
  402. return completion[ "extra_data" ][ "required_namespace_import" ]
  403. def GetErrorCount( self ):
  404. return self.CurrentBuffer().GetErrorCount()
  405. def GetWarningCount( self ):
  406. return self.CurrentBuffer().GetWarningCount()
  407. def DiagnosticUiSupportedForCurrentFiletype( self ):
  408. return any( [ x in DIAGNOSTIC_UI_FILETYPES
  409. for x in vimsupport.CurrentFiletypes() ] )
  410. def ShouldDisplayDiagnostics( self ):
  411. return bool( self._user_options[ 'show_diagnostics_ui' ] and
  412. self.DiagnosticUiSupportedForCurrentFiletype() )
  413. def _PopulateLocationListWithLatestDiagnostics( self ):
  414. return self.CurrentBuffer().PopulateLocationList()
  415. def FileParseRequestReady( self ):
  416. # Return True if server is not ready yet, to stop repeating check timer.
  417. return ( not self.IsServerReady() or
  418. self.CurrentBuffer().FileParseRequestReady() )
  419. def HandleFileParseRequest( self, block = False ):
  420. if not self.IsServerReady():
  421. return
  422. current_buffer = self.CurrentBuffer()
  423. # Order is important here:
  424. # FileParseRequestReady has a low cost, while
  425. # NativeFiletypeCompletionUsable is a blocking server request
  426. if ( not current_buffer.IsResponseHandled() and
  427. current_buffer.FileParseRequestReady( block ) and
  428. self.NativeFiletypeCompletionUsable() ):
  429. if self.ShouldDisplayDiagnostics():
  430. current_buffer.UpdateDiagnostics()
  431. else:
  432. # YCM client has a hard-coded list of filetypes which are known
  433. # to support diagnostics, self.DiagnosticUiSupportedForCurrentFiletype()
  434. #
  435. # For filetypes which don't support diagnostics, we just want to check
  436. # the _latest_file_parse_request for any exception or UnknownExtraConf
  437. # response, to allow the server to raise configuration warnings, etc.
  438. # to the user. We ignore any other supplied data.
  439. current_buffer.GetResponse()
  440. # We set the file parse request as handled because we want to prevent
  441. # repeated issuing of the same warnings/errors/prompts. Setting this
  442. # makes IsRequestHandled return True until the next request is created.
  443. #
  444. # Note: it is the server's responsibility to determine the frequency of
  445. # error/warning/prompts when receiving a FileReadyToParse event, but
  446. # it is our responsibility to ensure that we only apply the
  447. # warning/error/prompt received once (for each event).
  448. current_buffer.MarkResponseHandled()
  449. def DebugInfo( self ):
  450. debug_info = ''
  451. if self._client_logfile:
  452. debug_info += 'Client logfile: {0}\n'.format( self._client_logfile )
  453. extra_data = {}
  454. self._AddExtraConfDataIfNeeded( extra_data )
  455. debug_info += FormatDebugInfoResponse( SendDebugInfoRequest( extra_data ) )
  456. debug_info += (
  457. 'Server running at: {0}\n'
  458. 'Server process ID: {1}\n'.format( BaseRequest.server_location,
  459. self._server_popen.pid ) )
  460. if self._server_stdout and self._server_stderr:
  461. debug_info += ( 'Server logfiles:\n'
  462. ' {0}\n'
  463. ' {1}'.format( self._server_stdout,
  464. self._server_stderr ) )
  465. return debug_info
  466. def GetLogfiles( self ):
  467. logfiles_list = [ self._client_logfile,
  468. self._server_stdout,
  469. self._server_stderr ]
  470. debug_info = SendDebugInfoRequest()
  471. if debug_info:
  472. completer = debug_info[ 'completer' ]
  473. if completer:
  474. for server in completer[ 'servers' ]:
  475. logfiles_list.extend( server[ 'logfiles' ] )
  476. logfiles = {}
  477. for logfile in logfiles_list:
  478. logfiles[ os.path.basename( logfile ) ] = logfile
  479. return logfiles
  480. def _OpenLogfile( self, logfile ):
  481. # Open log files in a horizontal window with the same behavior as the
  482. # preview window (same height and winfixheight enabled). Automatically
  483. # watch for changes. Set the cursor position at the end of the file.
  484. options = {
  485. 'size': vimsupport.GetIntValue( '&previewheight' ),
  486. 'fix': True,
  487. 'focus': False,
  488. 'watch': True,
  489. 'position': 'end'
  490. }
  491. vimsupport.OpenFilename( logfile, options )
  492. def _CloseLogfile( self, logfile ):
  493. vimsupport.CloseBuffersForFilename( logfile )
  494. def ToggleLogs( self, *filenames ):
  495. logfiles = self.GetLogfiles()
  496. if not filenames:
  497. vimsupport.PostVimMessage(
  498. 'Available logfiles are:\n'
  499. '{0}'.format( '\n'.join( sorted( list( logfiles ) ) ) ) )
  500. return
  501. for filename in set( filenames ):
  502. if filename not in logfiles:
  503. continue
  504. logfile = logfiles[ filename ]
  505. if not vimsupport.BufferIsVisibleForFilename( logfile ):
  506. self._OpenLogfile( logfile )
  507. continue
  508. self._CloseLogfile( logfile )
  509. def CurrentFiletypeCompletionEnabled( self ):
  510. filetypes = vimsupport.CurrentFiletypes()
  511. filetype_to_disable = self._user_options[
  512. 'filetype_specific_completion_to_disable' ]
  513. if '*' in filetype_to_disable:
  514. return False
  515. else:
  516. return not any([ x in filetype_to_disable for x in filetypes ])
  517. def ShowDetailedDiagnostic( self ):
  518. with HandleServerException():
  519. detailed_diagnostic = BaseRequest.PostDataToHandler(
  520. BuildRequestData(), 'detailed_diagnostic' )
  521. if 'message' in detailed_diagnostic:
  522. vimsupport.PostVimMessage( detailed_diagnostic[ 'message' ],
  523. warning = False )
  524. def ForceCompileAndDiagnostics( self ):
  525. if not self.NativeFiletypeCompletionUsable():
  526. vimsupport.PostVimMessage(
  527. 'Native filetype completion not supported for current file, '
  528. 'cannot force recompilation.', warning = False )
  529. return False
  530. vimsupport.PostVimMessage(
  531. 'Forcing compilation, this will block Vim until done.',
  532. warning = False )
  533. self.OnFileReadyToParse()
  534. self.HandleFileParseRequest( block = True )
  535. vimsupport.PostVimMessage( 'Diagnostics refreshed', warning = False )
  536. return True
  537. def ShowDiagnostics( self ):
  538. if not self.ForceCompileAndDiagnostics():
  539. return
  540. if not self._PopulateLocationListWithLatestDiagnostics():
  541. vimsupport.PostVimMessage( 'No warnings or errors detected.',
  542. warning = False )
  543. return
  544. if self._user_options[ 'open_loclist_on_ycm_diags' ]:
  545. vimsupport.OpenLocationList( focus = True )
  546. def _AddSyntaxDataIfNeeded( self, extra_data ):
  547. if not self._user_options[ 'seed_identifiers_with_syntax' ]:
  548. return
  549. filetype = vimsupport.CurrentFiletypes()[ 0 ]
  550. if filetype in self._filetypes_with_keywords_loaded:
  551. return
  552. if self.IsServerReady():
  553. self._filetypes_with_keywords_loaded.add( filetype )
  554. extra_data[ 'syntax_keywords' ] = list(
  555. syntax_parse.SyntaxKeywordsForCurrentBuffer() )
  556. def _AddTagsFilesIfNeeded( self, extra_data ):
  557. def GetTagFiles():
  558. tag_files = vim.eval( 'tagfiles()' )
  559. return [ os.path.join( utils.GetCurrentDirectory(), tag_file )
  560. for tag_file in tag_files ]
  561. if not self._user_options[ 'collect_identifiers_from_tags_files' ]:
  562. return
  563. extra_data[ 'tag_files' ] = GetTagFiles()
  564. def _AddExtraConfDataIfNeeded( self, extra_data ):
  565. def BuildExtraConfData( extra_conf_vim_data ):
  566. return dict( ( expr, vimsupport.VimExpressionToPythonType( expr ) )
  567. for expr in extra_conf_vim_data )
  568. extra_conf_vim_data = self._user_options[ 'extra_conf_vim_data' ]
  569. if extra_conf_vim_data:
  570. extra_data[ 'extra_conf_data' ] = BuildExtraConfData(
  571. extra_conf_vim_data )
  572. def _AddUltiSnipsDataIfNeeded( self, extra_data ):
  573. # See :h UltiSnips#SnippetsInCurrentScope.
  574. try:
  575. vim.eval( 'UltiSnips#SnippetsInCurrentScope( 1 )' )
  576. except vim.error:
  577. return
  578. snippets = vimsupport.GetVariableValue( 'g:current_ulti_dict_info' )
  579. extra_data[ 'ultisnips_snippets' ] = [
  580. { 'trigger': trigger,
  581. 'description': snippet[ 'description' ] }
  582. for trigger, snippet in iteritems( snippets )
  583. ]