1 "pythoncomplete.vim - Omni Completion for python
2 " Maintainer: Aaron Griffin <aaronmgriffin@gmail.com>
4 " Last Updated: 18 Jun 2009
8 " 'info' item output can use some formatting work
9 " Add an "unsafe eval" mode, to allow for return type evaluation
10 " Complete basic syntax along with import statements
11 " i.e. "import url<c-x,c-o>"
12 " Continue parsing on invalid line??
15 " * Fixed docstring parsing for classes and functions
16 " * Fixed parsing of *args and **kwargs type arguments
17 " * Better function param parsing to handle things like tuples and
18 " lambda defaults args
21 " * Fixed an issue where the FIRST assignment was always used instead of
22 " using a subsequent assignment for a variable
23 " * Fixed a scoping issue when working inside a parameterless function
27 " * Fixed function list sorting (_ and __ at the bottom)
28 " * Removed newline removal from docs. It appears vim handles these better in
32 " * Fixed argument completion
33 " * Removed the 'kind' completions, as they are better indicated
35 " * Added tuple assignment parsing (whoops, that was forgotten)
36 " * Fixed import handling when flattening scope
39 " Yeah, I skipped a version number - 0.4 was never public.
40 " It was a bugfix version on top of 0.3. This is a complete
45 echo "Error: Required vim compiled with +python"
49 function! pythoncomplete#Complete(findstart, base)
50 "findstart = 1 when we need to get the text length
52 let line = getline('.')
68 "findstart = 0 when we need to return the list of completions
70 "vim no longer moves the cursor upon completion... fix that
71 let line = getline('.')
77 if c =~ '\w' || c =~ '\.'
80 elseif strlen(cword) > 0 || idx == 0
84 execute "python vimcomplete('" . cword . "', '" . a:base . "')"
85 return g:pythoncomplete_completions
89 function! s:DefPython()
91 import sys, tokenize, cStringIO, types
92 from token import NAME, DEDENT, NEWLINE, STRING
95 def dbg(s): debugstmts.append(s)
97 for d in debugstmts: print "DBG: %s " % d
99 def vimcomplete(context,match):
109 if xa[1] == '_' and ya[0:2] == '__':
111 elif ya[0:2] == '__':
124 cmpl.evalsource('\n'.join(vim.current.buffer),vim.eval("line('.')"))
125 all = cmpl.get_completions(context,match)
128 # have to do this for double quoting
131 for x in cmpl: dictstr += '"%s":"%s",' % (x,cmpl[x])
132 dictstr += '"icase":0},'
133 if dictstr[-1] == ',': dictstr = dictstr[:-1]
135 #dbg("dict: %s" % dictstr)
136 vim.command("silent let g:pythoncomplete_completions = %s" % dictstr)
137 #dbg("Completion dict:\n%s" % all)
139 dbg("VIM Error: %s" % vim.error)
141 class Completer(object):
144 self.parser = PyParser()
146 def evalsource(self,text,line=0):
147 sc = self.parser.parse(text,line)
149 dbg("source: %s" % src)
150 try: exec(src) in self.compldict
151 except: dbg("parser: %s, %s" % (sys.exc_info()[0],sys.exc_info()[1]))
153 try: exec(l) in self.compldict
154 except: dbg("locals: %s, %s [%s]" % (sys.exc_info()[0],sys.exc_info()[1],l))
156 def _cleanstr(self,doc):
157 return doc.replace('"',' ').replace("'",' ')
159 def get_arguments(self,func_obj):
161 try: return class_ob.__init__.im_func
162 except AttributeError:
163 for base in class_ob.__bases__:
164 rc = _find_constructor(base)
165 if rc is not None: return rc
169 if type(func_obj) == types.ClassType: func_obj = _ctor(func_obj)
170 elif type(func_obj) == types.MethodType: func_obj = func_obj.im_func
174 if type(func_obj) in [types.FunctionType, types.LambdaType]:
176 cd = func_obj.func_code
177 real_args = cd.co_varnames[arg_offset:cd.co_argcount]
178 defaults = func_obj.func_defaults or ''
179 defaults = map(lambda name: "=%s" % name, defaults)
180 defaults = [""] * (len(real_args)-len(defaults)) + defaults
181 items = map(lambda a,d: a+d, real_args, defaults)
182 if func_obj.func_code.co_flags & 0x4:
184 if func_obj.func_code.co_flags & 0x8:
186 arg_text = (','.join(items)) + ')'
189 dbg("arg completion: %s: %s" % (sys.exc_info()[0],sys.exc_info()[1]))
191 if len(arg_text) == 0:
192 # The doc string sometimes contains the function signature
193 # this works for alot of C modules that are part of the
195 doc = func_obj.__doc__
201 lidx = sigline.find('(')
202 ridx = sigline.find(')')
203 if lidx > 0 and ridx > 0:
204 arg_text = sigline[lidx+1:ridx] + ')'
205 if len(arg_text) == 0: arg_text = ')'
208 def get_completions(self,context,match):
209 dbg("get_completions('%s','%s')" % (context,match))
211 if context: stmt += str(context)
212 if match: stmt += str(match)
216 ridx = stmt.rfind('.')
217 if len(stmt) > 0 and stmt[-1] == '(':
218 result = eval(_sanitize(stmt[:-1]), self.compldict)
220 if doc is None: doc = ''
221 args = self.get_arguments(result)
222 return [{'word':self._cleanstr(args),'info':self._cleanstr(doc)}]
227 match = stmt[ridx+1:]
228 stmt = _sanitize(stmt[:ridx])
229 result = eval(stmt, self.compldict)
232 dbg("completing: stmt:%s" % stmt)
235 try: maindoc = result.__doc__
236 except: maindoc = ' '
237 if maindoc is None: maindoc = ' '
239 if m == "_PyCmplNoType": continue #this is internal
241 dbg('possible completion: %s' % m)
242 if m.find(match) == 0:
243 if result is None: inst = all[m]
244 else: inst = getattr(result,m)
245 try: doc = inst.__doc__
246 except: doc = maindoc
248 if doc is None or doc == '': doc = maindoc
251 c = {'word':wrd, 'abbr':m, 'info':self._cleanstr(doc)}
252 if "function" in typestr:
254 c['abbr'] += '(' + self._cleanstr(self.get_arguments(inst))
255 elif "method" in typestr:
257 c['abbr'] += '(' + self._cleanstr(self.get_arguments(inst))
258 elif "module" in typestr:
260 elif "class" in typestr:
263 completions.append(c)
266 dbg("inner completion: %s,%s [stmt='%s']" % (i[0],i[1],stmt))
270 dbg("completion: %s,%s [stmt='%s']" % (i[0],i[1],stmt))
274 def __init__(self,name,indent,docstr=''):
283 #print 'push scope: [%s@%s]' % (sub.name,sub.indent)
285 self.subscopes.append(sub)
289 """ Clean up a docstring """
290 d = str.replace('\n',' ')
291 d = d.replace('\t',' ')
292 while d.find(' ') > -1: d = d.replace(' ',' ')
293 while d[0] in '"\'\t ': d = d[1:]
294 while d[-1] in '"\'\t ': d = d[:-1]
295 dbg("Scope(%s)::docstr = %s" % (self,d))
299 self._checkexisting(loc)
300 self.locals.append(loc)
302 def copy_decl(self,indent=0):
303 """ Copy a scope's declaration only, at the specified indent level - not local variables """
304 return Scope(self.name,indent,self.docstr)
306 def _checkexisting(self,test):
307 "Convienance function... keep out duplicates"
308 if test.find('=') > -1:
309 var = test.split('=')[0].strip()
310 for l in self.locals:
311 if l.find('=') > -1 and var == l.split('=')[0].strip():
312 self.locals.remove(l)
316 if len(self.docstr) > 0: str += '"""'+self.docstr+'"""\n'
317 for l in self.locals:
318 if l.startswith('import'): str += l+'\n'
319 str += 'class _PyCmplNoType:\n def __getattr__(self,name):\n return None\n'
320 for sub in self.subscopes:
321 str += sub.get_code()
322 for l in self.locals:
323 if not l.startswith('import'): str += l+'\n'
327 def pop(self,indent):
328 #print 'pop scope: [%s] to [%s]' % (self.indent,indent)
330 while outer.parent != None and outer.indent >= indent:
334 def currentindent(self):
335 #print 'parse current indent: %s' % self.indent
336 return ' '*self.indent
338 def childindent(self):
339 #print 'parse child indent: [%s]' % (self.indent+1)
340 return ' '*(self.indent+1)
343 def __init__(self, name, supers, indent, docstr=''):
344 Scope.__init__(self,name,indent, docstr)
346 def copy_decl(self,indent=0):
347 c = Class(self.name,self.supers,indent, self.docstr)
348 for s in self.subscopes:
349 c.add(s.copy_decl(indent+1))
352 str = '%sclass %s' % (self.currentindent(),self.name)
353 if len(self.supers) > 0: str += '(%s)' % ','.join(self.supers)
355 if len(self.docstr) > 0: str += self.childindent()+'"""'+self.docstr+'"""\n'
356 if len(self.subscopes) > 0:
357 for s in self.subscopes: str += s.get_code()
359 str += '%spass\n' % self.childindent()
363 class Function(Scope):
364 def __init__(self, name, params, indent, docstr=''):
365 Scope.__init__(self,name,indent, docstr)
367 def copy_decl(self,indent=0):
368 return Function(self.name,self.params,indent, self.docstr)
370 str = "%sdef %s(%s):\n" % \
371 (self.currentindent(),self.name,','.join(self.params))
372 if len(self.docstr) > 0: str += self.childindent()+'"""'+self.docstr+'"""\n'
373 str += "%spass\n" % self.childindent()
378 self.top = Scope('global',0)
379 self.scope = self.top
381 def _parsedotname(self,pre=None):
382 #returns (dottedname, nexttoken)
385 tokentype, token, indent = self.next()
386 if tokentype != NAME and token != '*':
391 tokentype, token, indent = self.next()
392 if token != '.': break
393 tokentype, token, indent = self.next()
394 if tokentype != NAME: break
396 return (".".join(name), token)
398 def _parseimportlist(self):
401 name, token = self._parsedotname()
404 if token == 'as': name2, token = self._parsedotname()
405 imports.append((name, name2))
406 while token != "," and "\n" not in token:
407 tokentype, token, indent = self.next()
408 if token != ",": break
411 def _parenparse(self):
416 tokentype, token, indent = self.next()
417 if token in (')', ',') and level == 1:
418 if '=' not in name: name = name.replace(' ', '')
419 names.append(name.strip())
428 elif token == ',' and level == 1:
431 name += "%s " % str(token)
434 def _parsefunction(self,indent):
435 self.scope=self.scope.pop(indent)
436 tokentype, fname, ind = self.next()
437 if tokentype != NAME: return None
439 tokentype, open, ind = self.next()
440 if open != '(': return None
441 params=self._parenparse()
443 tokentype, colon, ind = self.next()
444 if colon != ':': return None
446 return Function(fname,params,indent)
448 def _parseclass(self,indent):
449 self.scope=self.scope.pop(indent)
450 tokentype, cname, ind = self.next()
451 if tokentype != NAME: return None
454 tokentype, next, ind = self.next()
456 super=self._parenparse()
457 elif next != ':': return None
459 return Class(cname,super,indent)
461 def _parseassignment(self):
463 tokentype, token, indent = self.next()
464 if tokentype == tokenize.STRING or token == 'str':
466 elif token == '(' or token == 'tuple':
468 elif token == '[' or token == 'list':
470 elif token == '{' or token == 'dict':
472 elif tokentype == tokenize.NUMBER:
474 elif token == 'open' or token == 'file':
476 elif token == 'None':
477 return '_PyCmplNoType()'
478 elif token == 'type':
479 return 'type(_PyCmplNoType)' #only for method resolution
484 tokentype, token, indent = self.next()
485 if token in ('(','{','['):
487 elif token in (']','}',')'):
491 if token in (';','\n'): break
496 type, token, (lineno, indent), end, self.parserline = self.gen.next()
497 if lineno == self.curline:
498 #print 'line found [%s] scope=%s' % (line.replace('\n',''),self.scope.name)
499 self.currentscope = self.scope
500 return (type, token, indent)
502 def _adjustvisibility(self):
503 newscope = Scope('result',0)
504 scp = self.currentscope
506 if type(scp) == Function:
508 #Handle 'self' params
509 if scp.parent != None and type(scp.parent) == Class:
511 newscope.local('%s = %s' % (scp.params[0],scp.parent.name))
512 for p in scp.params[slice:]:
514 if len(p) == 0: continue
519 ptype = '_PyCmplNoType()'
522 ptype = _sanitize(p[i+1:])
523 if pvar.startswith('**'):
526 elif pvar.startswith('*'):
530 newscope.local('%s = %s' % (pvar,ptype))
532 for s in scp.subscopes:
535 for l in scp.locals: newscope.local(l)
538 self.currentscope = newscope
539 return self.currentscope
541 #p.parse(vim.current.buffer[:],vim.eval("line('.')"))
542 def parse(self,text,curline=0):
543 self.curline = int(curline)
544 buf = cStringIO.StringIO(''.join(text) + '\n')
545 self.gen = tokenize.generate_tokens(buf.readline)
546 self.currentscope = self.scope
551 tokentype, token, indent = self.next()
552 #dbg( 'main: token=[%s] indent=[%s]' % (token,indent))
554 if tokentype == DEDENT or token == "pass":
555 self.scope = self.scope.pop(indent)
557 func = self._parsefunction(indent)
559 print "function: syntax error..."
561 dbg("new scope: function")
563 self.scope = self.scope.add(func)
564 elif token == 'class':
565 cls = self._parseclass(indent)
567 print "class: syntax error..."
570 dbg("new scope: class")
571 self.scope = self.scope.add(cls)
573 elif token == 'import':
574 imports = self._parseimportlist()
575 for mod, alias in imports:
576 loc = "import %s" % mod
577 if len(alias) > 0: loc += " as %s" % alias
578 self.scope.local(loc)
580 elif token == 'from':
581 mod, token = self._parsedotname()
582 if not mod or token != "import":
583 print "from: syntax error..."
585 names = self._parseimportlist()
586 for name, alias in names:
587 loc = "from %s import %s" % (mod,name)
588 if len(alias) > 0: loc += " as %s" % alias
589 self.scope.local(loc)
591 elif tokentype == STRING:
592 if freshscope: self.scope.doc(token)
593 elif tokentype == NAME:
594 name,token = self._parsedotname(token)
596 stmt = self._parseassignment()
597 dbg("parseassignment: %s = %s" % (name, stmt))
599 self.scope.local("%s = %s" % (name,stmt))
601 except StopIteration: #thrown on EOF
604 dbg("parse error: %s, %s @ %s" %
605 (sys.exc_info()[0], sys.exc_info()[1], self.parserline))
606 return self._adjustvisibility()
612 if c in ('(','{','['):
614 elif c in (']','}',')'):
620 sys.path.extend(['.','..'])