blob: c3338f24fa7cea4fa08f1e233ddd003d6197ff33 [file] [log] [blame]
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001"""Get useful information from live Python objects.
2
3This module encapsulates the interface provided by the internal special
Neal Norwitz221085d2007-02-25 20:55:47 +00004attributes (co_*, im_*, tb_*, etc.) in a friendlier fashion.
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00005It also provides some help for examining source code and class layout.
6
7Here are some of the useful functions provided by this module:
8
Christian Heimes7131fd92008-02-19 14:21:46 +00009 ismodule(), isclass(), ismethod(), isfunction(), isgeneratorfunction(),
10 isgenerator(), istraceback(), isframe(), iscode(), isbuiltin(),
11 isroutine() - check object types
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000012 getmembers() - get members of an object that satisfy a given condition
13
14 getfile(), getsourcefile(), getsource() - find an object's source code
15 getdoc(), getcomments() - get documentation on an object
16 getmodule() - determine the module that an object came from
17 getclasstree() - arrange classes so as to represent their hierarchy
18
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +000019 getargspec(), getargvalues(), getcallargs() - get info about function arguments
Guido van Rossum2e65f892007-02-28 22:03:49 +000020 getfullargspec() - same, with support for Python-3000 features
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000021 formatargspec(), formatargvalues() - format an argument spec
22 getouterframes(), getinnerframes() - get info about frames
23 currentframe() - get the current stack frame
24 stack(), trace() - get info about frames on the stack or in a traceback
25"""
26
27# This module is in the public domain. No warranties.
28
Ka-Ping Yee8b58b842001-03-01 13:56:16 +000029__author__ = 'Ka-Ping Yee <ping@lfw.org>'
30__date__ = '1 Jan 2001'
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000031
Christian Heimes7131fd92008-02-19 14:21:46 +000032import imp
Brett Cannoncb66eb02012-05-11 12:58:42 -040033import importlib.machinery
34import itertools
Christian Heimes7131fd92008-02-19 14:21:46 +000035import linecache
Brett Cannoncb66eb02012-05-11 12:58:42 -040036import os
37import re
38import sys
39import tokenize
40import types
Brett Cannon2b88fcf2012-06-02 22:28:42 -040041import warnings
Raymond Hettingera1a992c2005-03-11 06:46:45 +000042from operator import attrgetter
Christian Heimes25bb7832008-01-11 16:17:00 +000043from collections import namedtuple
Nick Coghlan09c81232010-08-17 10:18:16 +000044
45# Create constants for the compiler flags in Include/code.h
46# We try to get them from dis to avoid duplication, but fall
47# back to hardcording so the dependency is optional
48try:
49 from dis import COMPILER_FLAG_NAMES as _flag_names
50except ImportError:
51 CO_OPTIMIZED, CO_NEWLOCALS = 0x1, 0x2
52 CO_VARARGS, CO_VARKEYWORDS = 0x4, 0x8
53 CO_NESTED, CO_GENERATOR, CO_NOFREE = 0x10, 0x20, 0x40
54else:
55 mod_dict = globals()
56 for k, v in _flag_names.items():
57 mod_dict["CO_" + v] = k
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000058
Christian Heimesbe5b30b2008-03-03 19:18:51 +000059# See Include/object.h
60TPFLAGS_IS_ABSTRACT = 1 << 20
61
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000062# ----------------------------------------------------------- type-checking
63def ismodule(object):
64 """Return true if the object is a module.
65
66 Module objects provide these attributes:
Barry Warsaw28a691b2010-04-17 00:19:56 +000067 __cached__ pathname to byte compiled file
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000068 __doc__ documentation string
69 __file__ filename (missing for built-in modules)"""
Tim Peters28bc59f2001-09-16 08:40:16 +000070 return isinstance(object, types.ModuleType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000071
72def isclass(object):
73 """Return true if the object is a class.
74
75 Class objects provide these attributes:
76 __doc__ documentation string
77 __module__ name of module in which this class was defined"""
Benjamin Petersonc4656002009-01-17 22:41:18 +000078 return isinstance(object, type)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000079
80def ismethod(object):
81 """Return true if the object is an instance method.
82
83 Instance method objects provide these attributes:
84 __doc__ documentation string
85 __name__ name with which this method was defined
Christian Heimesff737952007-11-27 10:40:20 +000086 __func__ function object containing implementation of method
87 __self__ instance to which this method is bound"""
Tim Peters28bc59f2001-09-16 08:40:16 +000088 return isinstance(object, types.MethodType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +000089
Tim Peters536d2262001-09-20 05:13:38 +000090def ismethoddescriptor(object):
Tim Petersf1d90b92001-09-20 05:47:55 +000091 """Return true if the object is a method descriptor.
92
93 But not if ismethod() or isclass() or isfunction() are true.
Tim Peters536d2262001-09-20 05:13:38 +000094
95 This is new in Python 2.2, and, for example, is true of int.__add__.
96 An object passing this test has a __get__ attribute but not a __set__
97 attribute, but beyond that the set of attributes varies. __name__ is
98 usually sensible, and __doc__ often is.
99
Tim Petersf1d90b92001-09-20 05:47:55 +0000100 Methods implemented via descriptors that also pass one of the other
101 tests return false from the ismethoddescriptor() test, simply because
102 the other tests promise more -- you can, e.g., count on having the
Christian Heimesff737952007-11-27 10:40:20 +0000103 __func__ attribute (etc) when an object passes ismethod()."""
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100104 if isclass(object) or ismethod(object) or isfunction(object):
105 # mutual exclusion
106 return False
107 tp = type(object)
108 return hasattr(tp, "__get__") and not hasattr(tp, "__set__")
Tim Peters536d2262001-09-20 05:13:38 +0000109
Martin v. Löwise59e2ba2003-05-03 09:09:02 +0000110def isdatadescriptor(object):
111 """Return true if the object is a data descriptor.
112
113 Data descriptors have both a __get__ and a __set__ attribute. Examples are
114 properties (defined in Python) and getsets and members (defined in C).
115 Typically, data descriptors will also have __name__ and __doc__ attributes
116 (properties, getsets, and members have both of these attributes), but this
117 is not guaranteed."""
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100118 if isclass(object) or ismethod(object) or isfunction(object):
119 # mutual exclusion
120 return False
121 tp = type(object)
122 return hasattr(tp, "__set__") and hasattr(tp, "__get__")
Martin v. Löwise59e2ba2003-05-03 09:09:02 +0000123
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000124if hasattr(types, 'MemberDescriptorType'):
125 # CPython and equivalent
126 def ismemberdescriptor(object):
127 """Return true if the object is a member descriptor.
128
129 Member descriptors are specialized descriptors defined in extension
130 modules."""
131 return isinstance(object, types.MemberDescriptorType)
132else:
133 # Other implementations
134 def ismemberdescriptor(object):
135 """Return true if the object is a member descriptor.
136
137 Member descriptors are specialized descriptors defined in extension
138 modules."""
139 return False
140
141if hasattr(types, 'GetSetDescriptorType'):
142 # CPython and equivalent
143 def isgetsetdescriptor(object):
144 """Return true if the object is a getset descriptor.
145
146 getset descriptors are specialized descriptors defined in extension
147 modules."""
148 return isinstance(object, types.GetSetDescriptorType)
149else:
150 # Other implementations
151 def isgetsetdescriptor(object):
152 """Return true if the object is a getset descriptor.
153
154 getset descriptors are specialized descriptors defined in extension
155 modules."""
156 return False
157
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000158def isfunction(object):
159 """Return true if the object is a user-defined function.
160
161 Function objects provide these attributes:
162 __doc__ documentation string
163 __name__ name with which this function was defined
Neal Norwitz221085d2007-02-25 20:55:47 +0000164 __code__ code object containing compiled function bytecode
165 __defaults__ tuple of any default values for arguments
166 __globals__ global namespace in which this function was defined
167 __annotations__ dict of parameter annotations
168 __kwdefaults__ dict of keyword only parameters with defaults"""
Tim Peters28bc59f2001-09-16 08:40:16 +0000169 return isinstance(object, types.FunctionType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000170
Christian Heimes7131fd92008-02-19 14:21:46 +0000171def isgeneratorfunction(object):
172 """Return true if the object is a user-defined generator function.
173
174 Generator function objects provides same attributes as functions.
175
Alexander Belopolsky977a6842010-08-16 20:17:07 +0000176 See help(isfunction) for attributes listing."""
Georg Brandlb1441c72009-01-03 22:33:39 +0000177 return bool((isfunction(object) or ismethod(object)) and
178 object.__code__.co_flags & CO_GENERATOR)
Christian Heimes7131fd92008-02-19 14:21:46 +0000179
180def isgenerator(object):
181 """Return true if the object is a generator.
182
183 Generator objects provide these attributes:
184 __iter__ defined to support interation over container
185 close raises a new GeneratorExit exception inside the
186 generator to terminate the iteration
187 gi_code code object
188 gi_frame frame object or possibly None once the generator has
189 been exhausted
190 gi_running set to 1 when generator is executing, 0 otherwise
191 next return the next item from the container
192 send resumes the generator and "sends" a value that becomes
193 the result of the current yield-expression
194 throw used to raise an exception inside the generator"""
195 return isinstance(object, types.GeneratorType)
196
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000197def istraceback(object):
198 """Return true if the object is a traceback.
199
200 Traceback objects provide these attributes:
201 tb_frame frame object at this level
202 tb_lasti index of last attempted instruction in bytecode
203 tb_lineno current line number in Python source code
204 tb_next next inner traceback object (called by this level)"""
Tim Peters28bc59f2001-09-16 08:40:16 +0000205 return isinstance(object, types.TracebackType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000206
207def isframe(object):
208 """Return true if the object is a frame object.
209
210 Frame objects provide these attributes:
211 f_back next outer frame object (this frame's caller)
212 f_builtins built-in namespace seen by this frame
213 f_code code object being executed in this frame
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000214 f_globals global namespace seen by this frame
215 f_lasti index of last attempted instruction in bytecode
216 f_lineno current line number in Python source code
217 f_locals local namespace seen by this frame
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000218 f_trace tracing function for this frame, or None"""
Tim Peters28bc59f2001-09-16 08:40:16 +0000219 return isinstance(object, types.FrameType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000220
221def iscode(object):
222 """Return true if the object is a code object.
223
224 Code objects provide these attributes:
225 co_argcount number of arguments (not including * or ** args)
226 co_code string of raw compiled bytecode
227 co_consts tuple of constants used in the bytecode
228 co_filename name of file in which this code object was created
229 co_firstlineno number of first line in Python source code
230 co_flags bitmap: 1=optimized | 2=newlocals | 4=*arg | 8=**arg
231 co_lnotab encoded mapping of line numbers to bytecode indices
232 co_name name with which this code object was defined
233 co_names tuple of names of local variables
234 co_nlocals number of local variables
235 co_stacksize virtual machine stack space required
236 co_varnames tuple of names of arguments and local variables"""
Tim Peters28bc59f2001-09-16 08:40:16 +0000237 return isinstance(object, types.CodeType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000238
239def isbuiltin(object):
240 """Return true if the object is a built-in function or method.
241
242 Built-in functions and methods provide these attributes:
243 __doc__ documentation string
244 __name__ original name of this function or method
245 __self__ instance to which a method is bound, or None"""
Tim Peters28bc59f2001-09-16 08:40:16 +0000246 return isinstance(object, types.BuiltinFunctionType)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000247
248def isroutine(object):
249 """Return true if the object is any kind of function or method."""
Tim Peters536d2262001-09-20 05:13:38 +0000250 return (isbuiltin(object)
251 or isfunction(object)
252 or ismethod(object)
253 or ismethoddescriptor(object))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000254
Christian Heimesbe5b30b2008-03-03 19:18:51 +0000255def isabstract(object):
256 """Return true if the object is an abstract base class (ABC)."""
Benjamin Petersona0dfa822009-11-13 02:25:08 +0000257 return bool(isinstance(object, type) and object.__flags__ & TPFLAGS_IS_ABSTRACT)
Christian Heimesbe5b30b2008-03-03 19:18:51 +0000258
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000259def getmembers(object, predicate=None):
260 """Return all members of an object as (name, value) pairs sorted by name.
261 Optionally, only return members that satisfy a given predicate."""
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100262 if isclass(object):
263 mro = (object,) + getmro(object)
264 else:
265 mro = ()
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000266 results = []
267 for key in dir(object):
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100268 # First try to get the value via __dict__. Some descriptors don't
269 # like calling their __get__ (see bug #1785).
270 for base in mro:
271 if key in base.__dict__:
272 value = base.__dict__[key]
273 break
274 else:
275 try:
276 value = getattr(object, key)
277 except AttributeError:
278 continue
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000279 if not predicate or predicate(value):
280 results.append((key, value))
281 results.sort()
282 return results
283
Christian Heimes25bb7832008-01-11 16:17:00 +0000284Attribute = namedtuple('Attribute', 'name kind defining_class object')
285
Tim Peters13b49d32001-09-23 02:00:29 +0000286def classify_class_attrs(cls):
287 """Return list of attribute-descriptor tuples.
288
289 For each name in dir(cls), the return list contains a 4-tuple
290 with these elements:
291
292 0. The name (a string).
293
294 1. The kind of attribute this is, one of these strings:
295 'class method' created via classmethod()
296 'static method' created via staticmethod()
297 'property' created via property()
298 'method' any other flavor of method
299 'data' not a method
300
301 2. The class which defined this attribute (a class).
302
303 3. The object as obtained directly from the defining class's
304 __dict__, not via getattr. This is especially important for
305 data attributes: C.data is just a data object, but
306 C.__dict__['data'] may be a data descriptor with additional
307 info, like a __doc__ string.
308 """
309
310 mro = getmro(cls)
311 names = dir(cls)
312 result = []
313 for name in names:
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100314 # Get the object associated with the name, and where it was defined.
Tim Peters13b49d32001-09-23 02:00:29 +0000315 # Getting an obj from the __dict__ sometimes reveals more than
316 # using getattr. Static and class methods are dramatic examples.
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100317 # Furthermore, some objects may raise an Exception when fetched with
318 # getattr(). This is the case with some descriptors (bug #1785).
319 # Thus, we only use getattr() as a last resort.
320 homecls = None
321 for base in (cls,) + mro:
322 if name in base.__dict__:
323 obj = base.__dict__[name]
324 homecls = base
325 break
Tim Peters13b49d32001-09-23 02:00:29 +0000326 else:
327 obj = getattr(cls, name)
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100328 homecls = getattr(obj, "__objclass__", homecls)
Tim Peters13b49d32001-09-23 02:00:29 +0000329
330 # Classify the object.
331 if isinstance(obj, staticmethod):
332 kind = "static method"
333 elif isinstance(obj, classmethod):
334 kind = "class method"
335 elif isinstance(obj, property):
336 kind = "property"
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100337 elif ismethoddescriptor(obj):
Tim Peters13b49d32001-09-23 02:00:29 +0000338 kind = "method"
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100339 elif isdatadescriptor(obj):
Tim Peters13b49d32001-09-23 02:00:29 +0000340 kind = "data"
Antoine Pitrou86a8a9a2011-12-21 09:57:40 +0100341 else:
342 obj_via_getattr = getattr(cls, name)
343 if (isfunction(obj_via_getattr) or
344 ismethoddescriptor(obj_via_getattr)):
345 kind = "method"
346 else:
347 kind = "data"
348 obj = obj_via_getattr
Tim Peters13b49d32001-09-23 02:00:29 +0000349
Christian Heimes25bb7832008-01-11 16:17:00 +0000350 result.append(Attribute(name, kind, homecls, obj))
Tim Peters13b49d32001-09-23 02:00:29 +0000351
352 return result
353
Tim Peterse0b2d7a2001-09-22 06:10:55 +0000354# ----------------------------------------------------------- class helpers
Tim Peterse0b2d7a2001-09-22 06:10:55 +0000355
356def getmro(cls):
357 "Return tuple of base classes (including cls) in method resolution order."
Benjamin Petersonb82c8e52010-11-04 00:38:49 +0000358 return cls.__mro__
Tim Peterse0b2d7a2001-09-22 06:10:55 +0000359
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000360# -------------------------------------------------- source code extraction
361def indentsize(line):
362 """Return the indent size, in spaces, at the start of a line of text."""
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000363 expline = line.expandtabs()
364 return len(expline) - len(expline.lstrip())
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000365
366def getdoc(object):
367 """Get the documentation string for an object.
368
369 All tabs are expanded to spaces. To clean up docstrings that are
370 indented to line up with blocks of code, any whitespace than can be
371 uniformly removed from the second line onwards is removed."""
Tim Peters24008312002-03-17 18:56:20 +0000372 try:
373 doc = object.__doc__
374 except AttributeError:
375 return None
Guido van Rossum3172c5d2007-10-16 18:12:55 +0000376 if not isinstance(doc, str):
Tim Peters24008312002-03-17 18:56:20 +0000377 return None
Georg Brandl0c77a822008-06-10 16:37:50 +0000378 return cleandoc(doc)
379
380def cleandoc(doc):
381 """Clean up indentation from docstrings.
382
383 Any whitespace that can be uniformly removed from the second line
384 onwards is removed."""
Tim Peters24008312002-03-17 18:56:20 +0000385 try:
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000386 lines = doc.expandtabs().split('\n')
Tim Peters24008312002-03-17 18:56:20 +0000387 except UnicodeError:
388 return None
389 else:
Ka-Ping Yeea59ef7b2002-11-30 03:53:15 +0000390 # Find minimum indentation of any non-blank lines after first line.
Christian Heimesa37d4c62007-12-04 23:02:19 +0000391 margin = sys.maxsize
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000392 for line in lines[1:]:
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000393 content = len(line.lstrip())
Ka-Ping Yeea59ef7b2002-11-30 03:53:15 +0000394 if content:
395 indent = len(line) - content
396 margin = min(margin, indent)
397 # Remove indentation.
398 if lines:
399 lines[0] = lines[0].lstrip()
Christian Heimesa37d4c62007-12-04 23:02:19 +0000400 if margin < sys.maxsize:
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000401 for i in range(1, len(lines)): lines[i] = lines[i][margin:]
Ka-Ping Yeea59ef7b2002-11-30 03:53:15 +0000402 # Remove any trailing or leading blank lines.
403 while lines and not lines[-1]:
404 lines.pop()
405 while lines and not lines[0]:
406 lines.pop(0)
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000407 return '\n'.join(lines)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000408
409def getfile(object):
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000410 """Work out which source or compiled file an object was defined in."""
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000411 if ismodule(object):
412 if hasattr(object, '__file__'):
413 return object.__file__
Benjamin Peterson4ac9ce42009-10-04 14:49:41 +0000414 raise TypeError('{!r} is a built-in module'.format(object))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000415 if isclass(object):
Ka-Ping Yeec99e0f12001-04-13 12:10:40 +0000416 object = sys.modules.get(object.__module__)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000417 if hasattr(object, '__file__'):
418 return object.__file__
Benjamin Peterson4ac9ce42009-10-04 14:49:41 +0000419 raise TypeError('{!r} is a built-in class'.format(object))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000420 if ismethod(object):
Christian Heimesff737952007-11-27 10:40:20 +0000421 object = object.__func__
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000422 if isfunction(object):
Neal Norwitz221085d2007-02-25 20:55:47 +0000423 object = object.__code__
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000424 if istraceback(object):
425 object = object.tb_frame
426 if isframe(object):
427 object = object.f_code
428 if iscode(object):
429 return object.co_filename
Benjamin Peterson4ac9ce42009-10-04 14:49:41 +0000430 raise TypeError('{!r} is not a module, class, method, '
431 'function, traceback, frame, or code object'.format(object))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000432
Christian Heimes25bb7832008-01-11 16:17:00 +0000433ModuleInfo = namedtuple('ModuleInfo', 'name suffix mode module_type')
434
Ka-Ping Yee4d6fc7f2001-04-10 11:43:00 +0000435def getmoduleinfo(path):
436 """Get the module name, suffix, mode, and module type for a given file."""
Brett Cannoncb66eb02012-05-11 12:58:42 -0400437 warnings.warn('inspect.getmoduleinfo() is deprecated', DeprecationWarning,
438 2)
Ka-Ping Yee4d6fc7f2001-04-10 11:43:00 +0000439 filename = os.path.basename(path)
Guido van Rossum1bc535d2007-05-15 18:46:22 +0000440 suffixes = [(-len(suffix), suffix, mode, mtype)
441 for suffix, mode, mtype in imp.get_suffixes()]
Ka-Ping Yee4d6fc7f2001-04-10 11:43:00 +0000442 suffixes.sort() # try longest suffixes first, in case they overlap
443 for neglen, suffix, mode, mtype in suffixes:
444 if filename[neglen:] == suffix:
Christian Heimes25bb7832008-01-11 16:17:00 +0000445 return ModuleInfo(filename[:neglen], suffix, mode, mtype)
Ka-Ping Yee4d6fc7f2001-04-10 11:43:00 +0000446
447def getmodulename(path):
448 """Return the module name for a given file, or None."""
449 info = getmoduleinfo(path)
450 if info: return info[0]
451
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000452def getsourcefile(object):
R. David Murraya1b37402010-06-17 02:04:29 +0000453 """Return the filename that can be used to locate an object's source.
454 Return None if no way can be identified to get the source.
455 """
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000456 filename = getfile(object)
Brett Cannoncb66eb02012-05-11 12:58:42 -0400457 all_bytecode_suffixes = importlib.machinery.DEBUG_BYTECODE_SUFFIXES[:]
458 all_bytecode_suffixes += importlib.machinery.OPTIMIZED_BYTECODE_SUFFIXES[:]
459 if any(filename.endswith(s) for s in all_bytecode_suffixes):
460 filename = (os.path.splitext(filename)[0] +
461 importlib.machinery.SOURCE_SUFFIXES[0])
462 elif any(filename.endswith(s) for s in
463 importlib.machinery.EXTENSION_SUFFIXES):
464 return None
Thomas Wouters477c8d52006-05-27 19:21:47 +0000465 if os.path.exists(filename):
466 return filename
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000467 # only return a non-existent filename if the module has a PEP 302 loader
468 if hasattr(getmodule(object, filename), '__loader__'):
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000469 return filename
R. David Murraya1b37402010-06-17 02:04:29 +0000470 # or it is in the linecache
471 if filename in linecache.cache:
472 return filename
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000473
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000474def getabsfile(object, _filename=None):
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000475 """Return an absolute path to the source or compiled file for an object.
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000476
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000477 The idea is for each object to have a unique origin, so this routine
478 normalizes the result as much as possible."""
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000479 if _filename is None:
480 _filename = getsourcefile(object) or getfile(object)
481 return os.path.normcase(os.path.abspath(_filename))
Ka-Ping Yeec113c242001-03-02 02:08:53 +0000482
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000483modulesbyfile = {}
Thomas Wouters89f507f2006-12-13 04:49:30 +0000484_filesbymodname = {}
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000485
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000486def getmodule(object, _filename=None):
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000487 """Return the module an object was defined in, or None if not found."""
Ka-Ping Yee202c99b2001-04-13 09:15:08 +0000488 if ismodule(object):
489 return object
Johannes Gijsbers93245262004-09-11 15:53:22 +0000490 if hasattr(object, '__module__'):
Ka-Ping Yee8b58b842001-03-01 13:56:16 +0000491 return sys.modules.get(object.__module__)
Thomas Wouters89f507f2006-12-13 04:49:30 +0000492 # Try the filename to modulename cache
493 if _filename is not None and _filename in modulesbyfile:
494 return sys.modules.get(modulesbyfile[_filename])
495 # Try the cache again with the absolute file name
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000496 try:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000497 file = getabsfile(object, _filename)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000498 except TypeError:
499 return None
Raymond Hettinger54f02222002-06-01 14:18:47 +0000500 if file in modulesbyfile:
Ka-Ping Yeeb38bbbd2003-03-28 16:29:50 +0000501 return sys.modules.get(modulesbyfile[file])
Thomas Wouters89f507f2006-12-13 04:49:30 +0000502 # Update the filename to module name cache and check yet again
503 # Copy sys.modules in order to cope with changes while iterating
Éric Araujoa74f8ef2011-11-29 16:58:53 +0100504 for modname, module in list(sys.modules.items()):
Thomas Wouters49fd7fa2006-04-21 10:40:58 +0000505 if ismodule(module) and hasattr(module, '__file__'):
Thomas Wouters89f507f2006-12-13 04:49:30 +0000506 f = module.__file__
507 if f == _filesbymodname.get(modname, None):
508 # Have already mapped this module, so skip it
509 continue
510 _filesbymodname[modname] = f
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000511 f = getabsfile(module)
Thomas Wouters89f507f2006-12-13 04:49:30 +0000512 # Always map to the name the module knows itself by
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000513 modulesbyfile[f] = modulesbyfile[
514 os.path.realpath(f)] = module.__name__
Raymond Hettinger54f02222002-06-01 14:18:47 +0000515 if file in modulesbyfile:
Ka-Ping Yeeb38bbbd2003-03-28 16:29:50 +0000516 return sys.modules.get(modulesbyfile[file])
Thomas Wouters89f507f2006-12-13 04:49:30 +0000517 # Check the main module
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000518 main = sys.modules['__main__']
Brett Cannon4a671fe2003-06-15 22:33:28 +0000519 if not hasattr(object, '__name__'):
520 return None
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000521 if hasattr(main, object.__name__):
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000522 mainobject = getattr(main, object.__name__)
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000523 if mainobject is object:
524 return main
Thomas Wouters89f507f2006-12-13 04:49:30 +0000525 # Check builtins
Georg Brandl1a3284e2007-12-02 09:40:06 +0000526 builtin = sys.modules['builtins']
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000527 if hasattr(builtin, object.__name__):
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000528 builtinobject = getattr(builtin, object.__name__)
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000529 if builtinobject is object:
530 return builtin
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000531
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000532def findsource(object):
533 """Return the entire source file and starting line number for an object.
534
535 The argument may be a module, class, method, function, traceback, frame,
536 or code object. The source code is returned as a list of all the lines
537 in the file and the line number indexes a line in that list. An IOError
538 is raised if the source code cannot be retrieved."""
Benjamin Peterson9620cc02011-06-11 15:53:11 -0500539
540 file = getfile(object)
541 sourcefile = getsourcefile(object)
542 if not sourcefile and file[0] + file[-1] != '<>':
R. David Murray74b89242009-05-13 17:33:03 +0000543 raise IOError('source code not available')
Benjamin Peterson9620cc02011-06-11 15:53:11 -0500544 file = sourcefile if sourcefile else file
545
Thomas Wouters89f507f2006-12-13 04:49:30 +0000546 module = getmodule(object, file)
Thomas Wouters477c8d52006-05-27 19:21:47 +0000547 if module:
548 lines = linecache.getlines(file, module.__dict__)
549 else:
550 lines = linecache.getlines(file)
Neil Schemenauerf06f8532002-03-23 23:51:04 +0000551 if not lines:
Jeremy Hyltonab919022003-06-27 18:41:20 +0000552 raise IOError('could not get source code')
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000553
554 if ismodule(object):
555 return lines, 0
556
557 if isclass(object):
558 name = object.__name__
Thomas Wouters89f507f2006-12-13 04:49:30 +0000559 pat = re.compile(r'^(\s*)class\s*' + name + r'\b')
560 # make some effort to find the best matching class definition:
561 # use the one with the least indentation, which is the one
562 # that's most probably not inside a function definition.
563 candidates = []
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000564 for i in range(len(lines)):
Thomas Wouters89f507f2006-12-13 04:49:30 +0000565 match = pat.match(lines[i])
566 if match:
567 # if it's at toplevel, it's already the best one
568 if lines[i][0] == 'c':
569 return lines, i
570 # else add whitespace to candidate list
571 candidates.append((match.group(1), i))
572 if candidates:
573 # this will sort by whitespace, and by line number,
574 # less whitespace first
575 candidates.sort()
576 return lines, candidates[0][1]
Jeremy Hyltonab919022003-06-27 18:41:20 +0000577 else:
578 raise IOError('could not find class definition')
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000579
580 if ismethod(object):
Christian Heimesff737952007-11-27 10:40:20 +0000581 object = object.__func__
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000582 if isfunction(object):
Neal Norwitz221085d2007-02-25 20:55:47 +0000583 object = object.__code__
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000584 if istraceback(object):
585 object = object.tb_frame
586 if isframe(object):
587 object = object.f_code
588 if iscode(object):
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000589 if not hasattr(object, 'co_firstlineno'):
Jeremy Hyltonab919022003-06-27 18:41:20 +0000590 raise IOError('could not find function definition')
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000591 lnum = object.co_firstlineno - 1
Johannes Gijsbers1542f342004-12-12 16:46:28 +0000592 pat = re.compile(r'^(\s*def\s)|(.*(?<!\w)lambda(:|\s))|^(\s*@)')
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000593 while lnum > 0:
Ka-Ping Yeea6e59712001-03-10 09:31:55 +0000594 if pat.match(lines[lnum]): break
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +0000595 lnum = lnum - 1
596 return lines, lnum
Jeremy Hyltonab919022003-06-27 18:41:20 +0000597 raise IOError('could not find code object')
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000598
599def getcomments(object):
Jeremy Hyltonb4c17c82002-03-28 23:01:56 +0000600 """Get lines of comments immediately preceding an object's source code.
601
602 Returns None when source can't be found.
603 """
604 try:
605 lines, lnum = findsource(object)
606 except (IOError, TypeError):
607 return None
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000608
609 if ismodule(object):
610 # Look for a comment block at the top of the file.
611 start = 0
Ka-Ping Yeeb910efe2001-04-12 13:17:17 +0000612 if lines and lines[0][:2] == '#!': start = 1
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000613 while start < len(lines) and lines[start].strip() in ('', '#'):
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000614 start = start + 1
Ka-Ping Yeeb910efe2001-04-12 13:17:17 +0000615 if start < len(lines) and lines[start][:1] == '#':
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000616 comments = []
617 end = start
618 while end < len(lines) and lines[end][:1] == '#':
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000619 comments.append(lines[end].expandtabs())
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000620 end = end + 1
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000621 return ''.join(comments)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000622
623 # Look for a preceding block of comments at the same indentation.
624 elif lnum > 0:
625 indent = indentsize(lines[lnum])
626 end = lnum - 1
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000627 if end >= 0 and lines[end].lstrip()[:1] == '#' and \
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000628 indentsize(lines[end]) == indent:
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000629 comments = [lines[end].expandtabs().lstrip()]
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000630 if end > 0:
631 end = end - 1
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000632 comment = lines[end].expandtabs().lstrip()
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000633 while comment[:1] == '#' and indentsize(lines[end]) == indent:
634 comments[:0] = [comment]
635 end = end - 1
636 if end < 0: break
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000637 comment = lines[end].expandtabs().lstrip()
638 while comments and comments[0].strip() == '#':
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000639 comments[:1] = []
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000640 while comments and comments[-1].strip() == '#':
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000641 comments[-1:] = []
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000642 return ''.join(comments)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000643
Tim Peters4efb6e92001-06-29 23:51:08 +0000644class EndOfBlock(Exception): pass
645
646class BlockFinder:
647 """Provide a tokeneater() method to detect the end of a code block."""
648 def __init__(self):
649 self.indent = 0
Johannes Gijsbersa5855d52005-03-12 16:37:11 +0000650 self.islambda = False
Johannes Gijsbers1542f342004-12-12 16:46:28 +0000651 self.started = False
652 self.passline = False
Armin Rigodd5c0232005-09-25 11:45:45 +0000653 self.last = 1
Tim Peters4efb6e92001-06-29 23:51:08 +0000654
Guido van Rossum1bc535d2007-05-15 18:46:22 +0000655 def tokeneater(self, type, token, srowcol, erowcol, line):
Tim Peters4efb6e92001-06-29 23:51:08 +0000656 if not self.started:
Armin Rigodd5c0232005-09-25 11:45:45 +0000657 # look for the first "def", "class" or "lambda"
Johannes Gijsbers1542f342004-12-12 16:46:28 +0000658 if token in ("def", "class", "lambda"):
Johannes Gijsbersa5855d52005-03-12 16:37:11 +0000659 if token == "lambda":
660 self.islambda = True
Johannes Gijsbers1542f342004-12-12 16:46:28 +0000661 self.started = True
Armin Rigodd5c0232005-09-25 11:45:45 +0000662 self.passline = True # skip to the end of the line
Tim Peters4efb6e92001-06-29 23:51:08 +0000663 elif type == tokenize.NEWLINE:
Armin Rigodd5c0232005-09-25 11:45:45 +0000664 self.passline = False # stop skipping when a NEWLINE is seen
Guido van Rossum1bc535d2007-05-15 18:46:22 +0000665 self.last = srowcol[0]
Armin Rigodd5c0232005-09-25 11:45:45 +0000666 if self.islambda: # lambdas always end at the first NEWLINE
667 raise EndOfBlock
Johannes Gijsbers1542f342004-12-12 16:46:28 +0000668 elif self.passline:
669 pass
Tim Peters4efb6e92001-06-29 23:51:08 +0000670 elif type == tokenize.INDENT:
671 self.indent = self.indent + 1
Johannes Gijsbers1542f342004-12-12 16:46:28 +0000672 self.passline = True
Tim Peters4efb6e92001-06-29 23:51:08 +0000673 elif type == tokenize.DEDENT:
674 self.indent = self.indent - 1
Armin Rigodd5c0232005-09-25 11:45:45 +0000675 # the end of matching indent/dedent pairs end a block
676 # (note that this only works for "def"/"class" blocks,
677 # not e.g. for "if: else:" or "try: finally:" blocks)
678 if self.indent <= 0:
679 raise EndOfBlock
680 elif self.indent == 0 and type not in (tokenize.COMMENT, tokenize.NL):
681 # any other token on the same indentation level end the previous
682 # block as well, except the pseudo-tokens COMMENT and NL.
683 raise EndOfBlock
Tim Peters4efb6e92001-06-29 23:51:08 +0000684
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000685def getblock(lines):
686 """Extract the block of code at the top of the given list of lines."""
Armin Rigodd5c0232005-09-25 11:45:45 +0000687 blockfinder = BlockFinder()
Tim Peters4efb6e92001-06-29 23:51:08 +0000688 try:
Trent Nelson428de652008-03-18 22:41:35 +0000689 tokens = tokenize.generate_tokens(iter(lines).__next__)
690 for _token in tokens:
691 blockfinder.tokeneater(*_token)
Armin Rigodd5c0232005-09-25 11:45:45 +0000692 except (EndOfBlock, IndentationError):
693 pass
694 return lines[:blockfinder.last]
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000695
696def getsourcelines(object):
697 """Return a list of source lines and starting line number for an object.
698
699 The argument may be a module, class, method, function, traceback, frame,
700 or code object. The source code is returned as a list of the lines
701 corresponding to the object and the line number indicates where in the
702 original source file the first line of code was found. An IOError is
703 raised if the source code cannot be retrieved."""
704 lines, lnum = findsource(object)
705
706 if ismodule(object): return lines, 0
707 else: return getblock(lines[lnum:]), lnum + 1
708
709def getsource(object):
710 """Return the text of the source code for an object.
711
712 The argument may be a module, class, method, function, traceback, frame,
713 or code object. The source code is returned as a single string. An
714 IOError is raised if the source code cannot be retrieved."""
715 lines, lnum = getsourcelines(object)
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000716 return ''.join(lines)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000717
718# --------------------------------------------------- class tree extraction
719def walktree(classes, children, parent):
720 """Recursive helper function for getclasstree()."""
721 results = []
Raymond Hettingera1a992c2005-03-11 06:46:45 +0000722 classes.sort(key=attrgetter('__module__', '__name__'))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000723 for c in classes:
724 results.append((c, c.__bases__))
Raymond Hettinger54f02222002-06-01 14:18:47 +0000725 if c in children:
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000726 results.append(walktree(children[c], children, c))
727 return results
728
Georg Brandl5ce83a02009-06-01 17:23:51 +0000729def getclasstree(classes, unique=False):
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000730 """Arrange the given list of classes into a hierarchy of nested lists.
731
732 Where a nested list appears, it contains classes derived from the class
733 whose entry immediately precedes the list. Each entry is a 2-tuple
734 containing a class and a tuple of its base classes. If the 'unique'
735 argument is true, exactly one entry appears in the returned structure
736 for each class in the given list. Otherwise, classes using multiple
737 inheritance and their descendants will appear multiple times."""
738 children = {}
739 roots = []
740 for c in classes:
741 if c.__bases__:
742 for parent in c.__bases__:
Raymond Hettinger54f02222002-06-01 14:18:47 +0000743 if not parent in children:
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000744 children[parent] = []
745 children[parent].append(c)
746 if unique and parent in classes: break
747 elif c not in roots:
748 roots.append(c)
Raymond Hettingere0d49722002-06-02 18:55:56 +0000749 for parent in children:
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000750 if parent not in classes:
751 roots.append(parent)
752 return walktree(roots, children, None)
753
754# ------------------------------------------------ argument list extraction
Christian Heimes25bb7832008-01-11 16:17:00 +0000755Arguments = namedtuple('Arguments', 'args, varargs, varkw')
756
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000757def getargs(co):
758 """Get information about the arguments accepted by a code object.
759
Guido van Rossum2e65f892007-02-28 22:03:49 +0000760 Three things are returned: (args, varargs, varkw), where
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000761 'args' is the list of argument names. Keyword-only arguments are
762 appended. 'varargs' and 'varkw' are the names of the * and **
763 arguments or None."""
Guido van Rossum2e65f892007-02-28 22:03:49 +0000764 args, varargs, kwonlyargs, varkw = _getfullargs(co)
Christian Heimes25bb7832008-01-11 16:17:00 +0000765 return Arguments(args + kwonlyargs, varargs, varkw)
Guido van Rossum2e65f892007-02-28 22:03:49 +0000766
767def _getfullargs(co):
768 """Get information about the arguments accepted by a code object.
769
770 Four things are returned: (args, varargs, kwonlyargs, varkw), where
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000771 'args' and 'kwonlyargs' are lists of argument names, and 'varargs'
772 and 'varkw' are the names of the * and ** arguments or None."""
Jeremy Hylton64967882003-06-27 18:14:39 +0000773
774 if not iscode(co):
Benjamin Peterson4ac9ce42009-10-04 14:49:41 +0000775 raise TypeError('{!r} is not a code object'.format(co))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000776
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000777 nargs = co.co_argcount
778 names = co.co_varnames
Guido van Rossum2e65f892007-02-28 22:03:49 +0000779 nkwargs = co.co_kwonlyargcount
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000780 args = list(names[:nargs])
Guido van Rossum2e65f892007-02-28 22:03:49 +0000781 kwonlyargs = list(names[nargs:nargs+nkwargs])
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000782 step = 0
783
Guido van Rossum2e65f892007-02-28 22:03:49 +0000784 nargs += nkwargs
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000785 varargs = None
786 if co.co_flags & CO_VARARGS:
787 varargs = co.co_varnames[nargs]
788 nargs = nargs + 1
789 varkw = None
790 if co.co_flags & CO_VARKEYWORDS:
791 varkw = co.co_varnames[nargs]
Guido van Rossum2e65f892007-02-28 22:03:49 +0000792 return args, varargs, kwonlyargs, varkw
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000793
Christian Heimes25bb7832008-01-11 16:17:00 +0000794
795ArgSpec = namedtuple('ArgSpec', 'args varargs keywords defaults')
796
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000797def getargspec(func):
798 """Get the names and default values of a function's arguments.
799
800 A tuple of four things is returned: (args, varargs, varkw, defaults).
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000801 'args' is a list of the argument names.
Guido van Rossum2e65f892007-02-28 22:03:49 +0000802 'args' will include keyword-only argument names.
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000803 'varargs' and 'varkw' are the names of the * and ** arguments or None.
Jeremy Hylton64967882003-06-27 18:14:39 +0000804 'defaults' is an n-tuple of the default values of the last n arguments.
Guido van Rossuma8add0e2007-05-14 22:03:55 +0000805
Guido van Rossum2e65f892007-02-28 22:03:49 +0000806 Use the getfullargspec() API for Python-3000 code, as annotations
807 and keyword arguments are supported. getargspec() will raise ValueError
808 if the func has either annotations or keyword arguments.
809 """
810
811 args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults, ann = \
812 getfullargspec(func)
813 if kwonlyargs or ann:
Collin Winterce36ad82007-08-30 01:19:48 +0000814 raise ValueError("Function has keyword-only arguments or annotations"
815 ", use getfullargspec() API which can support them")
Christian Heimes25bb7832008-01-11 16:17:00 +0000816 return ArgSpec(args, varargs, varkw, defaults)
817
818FullArgSpec = namedtuple('FullArgSpec',
Benjamin Peterson3d4ca742008-11-12 21:39:01 +0000819 'args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults, annotations')
Guido van Rossum2e65f892007-02-28 22:03:49 +0000820
821def getfullargspec(func):
822 """Get the names and default values of a function's arguments.
823
Brett Cannon504d8852007-09-07 02:12:14 +0000824 A tuple of seven things is returned:
825 (args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults annotations).
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000826 'args' is a list of the argument names.
Guido van Rossum2e65f892007-02-28 22:03:49 +0000827 'varargs' and 'varkw' are the names of the * and ** arguments or None.
828 'defaults' is an n-tuple of the default values of the last n arguments.
829 'kwonlyargs' is a list of keyword-only argument names.
830 'kwonlydefaults' is a dictionary mapping names from kwonlyargs to defaults.
831 'annotations' is a dictionary mapping argument names to annotations.
Guido van Rossuma8add0e2007-05-14 22:03:55 +0000832
Guido van Rossum2e65f892007-02-28 22:03:49 +0000833 The first four items in the tuple correspond to getargspec().
Jeremy Hylton64967882003-06-27 18:14:39 +0000834 """
835
836 if ismethod(func):
Christian Heimesff737952007-11-27 10:40:20 +0000837 func = func.__func__
Jeremy Hylton64967882003-06-27 18:14:39 +0000838 if not isfunction(func):
Benjamin Peterson4ac9ce42009-10-04 14:49:41 +0000839 raise TypeError('{!r} is not a Python function'.format(func))
Guido van Rossum2e65f892007-02-28 22:03:49 +0000840 args, varargs, kwonlyargs, varkw = _getfullargs(func.__code__)
Christian Heimes25bb7832008-01-11 16:17:00 +0000841 return FullArgSpec(args, varargs, varkw, func.__defaults__,
Guido van Rossum2e65f892007-02-28 22:03:49 +0000842 kwonlyargs, func.__kwdefaults__, func.__annotations__)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000843
Christian Heimes25bb7832008-01-11 16:17:00 +0000844ArgInfo = namedtuple('ArgInfo', 'args varargs keywords locals')
845
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000846def getargvalues(frame):
847 """Get information about arguments passed into a particular frame.
848
849 A tuple of four things is returned: (args, varargs, varkw, locals).
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000850 'args' is a list of the argument names.
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000851 'varargs' and 'varkw' are the names of the * and ** arguments or None.
852 'locals' is the locals dictionary of the given frame."""
853 args, varargs, varkw = getargs(frame.f_code)
Benjamin Peterson1a6e0d02008-10-25 15:49:17 +0000854 return ArgInfo(args, varargs, varkw, frame.f_locals)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000855
Guido van Rossum2e65f892007-02-28 22:03:49 +0000856def formatannotation(annotation, base_module=None):
857 if isinstance(annotation, type):
Georg Brandl1a3284e2007-12-02 09:40:06 +0000858 if annotation.__module__ in ('builtins', base_module):
Guido van Rossum2e65f892007-02-28 22:03:49 +0000859 return annotation.__name__
860 return annotation.__module__+'.'+annotation.__name__
861 return repr(annotation)
Guido van Rossuma8add0e2007-05-14 22:03:55 +0000862
Guido van Rossum2e65f892007-02-28 22:03:49 +0000863def formatannotationrelativeto(object):
Guido van Rossuma8add0e2007-05-14 22:03:55 +0000864 module = getattr(object, '__module__', None)
865 def _formatannotation(annotation):
866 return formatannotation(annotation, module)
867 return _formatannotation
Guido van Rossum2e65f892007-02-28 22:03:49 +0000868
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000869def formatargspec(args, varargs=None, varkw=None, defaults=None,
Guido van Rossum2e65f892007-02-28 22:03:49 +0000870 kwonlyargs=(), kwonlydefaults={}, annotations={},
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000871 formatarg=str,
872 formatvarargs=lambda name: '*' + name,
873 formatvarkw=lambda name: '**' + name,
874 formatvalue=lambda value: '=' + repr(value),
Guido van Rossum2e65f892007-02-28 22:03:49 +0000875 formatreturns=lambda text: ' -> ' + text,
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000876 formatannotation=formatannotation):
Guido van Rossuma8add0e2007-05-14 22:03:55 +0000877 """Format an argument spec from the values returned by getargspec
Guido van Rossum2e65f892007-02-28 22:03:49 +0000878 or getfullargspec.
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000879
Guido van Rossum2e65f892007-02-28 22:03:49 +0000880 The first seven arguments are (args, varargs, varkw, defaults,
881 kwonlyargs, kwonlydefaults, annotations). The other five arguments
882 are the corresponding optional formatting functions that are called to
883 turn names and values into strings. The last argument is an optional
884 function to format the sequence of arguments."""
885 def formatargandannotation(arg):
886 result = formatarg(arg)
887 if arg in annotations:
888 result += ': ' + formatannotation(annotations[arg])
889 return result
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000890 specs = []
891 if defaults:
892 firstdefault = len(args) - len(defaults)
Benjamin Petersonb58dda72009-01-18 22:27:04 +0000893 for i, arg in enumerate(args):
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000894 spec = formatargandannotation(arg)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000895 if defaults and i >= firstdefault:
896 spec = spec + formatvalue(defaults[i - firstdefault])
897 specs.append(spec)
Raymond Hettinger936654b2002-06-01 03:06:31 +0000898 if varargs is not None:
Guido van Rossum2e65f892007-02-28 22:03:49 +0000899 specs.append(formatvarargs(formatargandannotation(varargs)))
900 else:
901 if kwonlyargs:
902 specs.append('*')
903 if kwonlyargs:
904 for kwonlyarg in kwonlyargs:
905 spec = formatargandannotation(kwonlyarg)
Benjamin Peterson9953a8d2009-01-17 04:15:01 +0000906 if kwonlydefaults and kwonlyarg in kwonlydefaults:
Guido van Rossum2e65f892007-02-28 22:03:49 +0000907 spec += formatvalue(kwonlydefaults[kwonlyarg])
908 specs.append(spec)
Raymond Hettinger936654b2002-06-01 03:06:31 +0000909 if varkw is not None:
Guido van Rossum2e65f892007-02-28 22:03:49 +0000910 specs.append(formatvarkw(formatargandannotation(varkw)))
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000911 result = '(' + ', '.join(specs) + ')'
Guido van Rossum2e65f892007-02-28 22:03:49 +0000912 if 'return' in annotations:
913 result += formatreturns(formatannotation(annotations['return']))
914 return result
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000915
916def formatargvalues(args, varargs, varkw, locals,
917 formatarg=str,
918 formatvarargs=lambda name: '*' + name,
919 formatvarkw=lambda name: '**' + name,
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000920 formatvalue=lambda value: '=' + repr(value)):
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000921 """Format an argument spec from the 4 values returned by getargvalues.
922
923 The first four arguments are (args, varargs, varkw, locals). The
924 next four arguments are the corresponding optional formatting functions
925 that are called to turn names and values into strings. The ninth
926 argument is an optional function to format the sequence of arguments."""
927 def convert(name, locals=locals,
928 formatarg=formatarg, formatvalue=formatvalue):
929 return formatarg(name) + formatvalue(locals[name])
930 specs = []
931 for i in range(len(args)):
Georg Brandlc1c4bf82010-10-15 16:07:41 +0000932 specs.append(convert(args[i]))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000933 if varargs:
934 specs.append(formatvarargs(varargs) + formatvalue(locals[varargs]))
935 if varkw:
936 specs.append(formatvarkw(varkw) + formatvalue(locals[varkw]))
Neal Norwitz9d72bb42007-04-17 08:48:32 +0000937 return '(' + ', '.join(specs) + ')'
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +0000938
Benjamin Petersone109c702011-06-24 09:37:26 -0500939def _missing_arguments(f_name, argnames, pos, values):
940 names = [repr(name) for name in argnames if name not in values]
941 missing = len(names)
942 if missing == 1:
943 s = names[0]
944 elif missing == 2:
945 s = "{} and {}".format(*names)
946 else:
947 tail = ", {} and {}".format(names[-2:])
948 del names[-2:]
949 s = ", ".join(names) + tail
950 raise TypeError("%s() missing %i required %s argument%s: %s" %
951 (f_name, missing,
952 "positional" if pos else "keyword-only",
953 "" if missing == 1 else "s", s))
954
955def _too_many(f_name, args, kwonly, varargs, defcount, given, values):
Benjamin Petersonb204a422011-06-05 22:04:07 -0500956 atleast = len(args) - defcount
Benjamin Petersonb204a422011-06-05 22:04:07 -0500957 kwonly_given = len([arg for arg in kwonly if arg in values])
958 if varargs:
959 plural = atleast != 1
960 sig = "at least %d" % (atleast,)
961 elif defcount:
962 plural = True
963 sig = "from %d to %d" % (atleast, len(args))
964 else:
965 plural = len(args) != 1
966 sig = str(len(args))
967 kwonly_sig = ""
968 if kwonly_given:
969 msg = " positional argument%s (and %d keyword-only argument%s)"
970 kwonly_sig = (msg % ("s" if given != 1 else "", kwonly_given,
971 "s" if kwonly_given != 1 else ""))
972 raise TypeError("%s() takes %s positional argument%s but %d%s %s given" %
973 (f_name, sig, "s" if plural else "", given, kwonly_sig,
974 "was" if given == 1 and not kwonly_given else "were"))
975
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +0000976def getcallargs(func, *positional, **named):
977 """Get the mapping of arguments to values.
978
979 A dict is returned, with keys the function argument names (including the
980 names of the * and ** arguments, if any), and values the respective bound
981 values from 'positional' and 'named'."""
982 spec = getfullargspec(func)
983 args, varargs, varkw, defaults, kwonlyargs, kwonlydefaults, ann = spec
984 f_name = func.__name__
985 arg2value = {}
986
Benjamin Petersonb204a422011-06-05 22:04:07 -0500987
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +0000988 if ismethod(func) and func.__self__ is not None:
989 # implicit 'self' (or 'cls' for classmethods) argument
990 positional = (func.__self__,) + positional
991 num_pos = len(positional)
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +0000992 num_args = len(args)
993 num_defaults = len(defaults) if defaults else 0
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +0000994
Benjamin Petersonb204a422011-06-05 22:04:07 -0500995 n = min(num_pos, num_args)
996 for i in range(n):
997 arg2value[args[i]] = positional[i]
998 if varargs:
999 arg2value[varargs] = tuple(positional[n:])
1000 possible_kwargs = set(args + kwonlyargs)
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +00001001 if varkw:
Benjamin Petersonb204a422011-06-05 22:04:07 -05001002 arg2value[varkw] = {}
1003 for kw, value in named.items():
1004 if kw not in possible_kwargs:
1005 if not varkw:
1006 raise TypeError("%s() got an unexpected keyword argument %r" %
1007 (f_name, kw))
1008 arg2value[varkw][kw] = value
1009 continue
1010 if kw in arg2value:
1011 raise TypeError("%s() got multiple values for argument %r" %
1012 (f_name, kw))
1013 arg2value[kw] = value
1014 if num_pos > num_args and not varargs:
Benjamin Petersone109c702011-06-24 09:37:26 -05001015 _too_many(f_name, args, kwonlyargs, varargs, num_defaults,
1016 num_pos, arg2value)
Benjamin Petersonb204a422011-06-05 22:04:07 -05001017 if num_pos < num_args:
Benjamin Petersone109c702011-06-24 09:37:26 -05001018 req = args[:num_args - num_defaults]
1019 for arg in req:
Benjamin Petersonb204a422011-06-05 22:04:07 -05001020 if arg not in arg2value:
Benjamin Petersone109c702011-06-24 09:37:26 -05001021 _missing_arguments(f_name, req, True, arg2value)
Benjamin Petersonb204a422011-06-05 22:04:07 -05001022 for i, arg in enumerate(args[num_args - num_defaults:]):
1023 if arg not in arg2value:
1024 arg2value[arg] = defaults[i]
Benjamin Petersone109c702011-06-24 09:37:26 -05001025 missing = 0
Benjamin Petersonb204a422011-06-05 22:04:07 -05001026 for kwarg in kwonlyargs:
1027 if kwarg not in arg2value:
Benjamin Petersone109c702011-06-24 09:37:26 -05001028 if kwarg in kwonlydefaults:
1029 arg2value[kwarg] = kwonlydefaults[kwarg]
1030 else:
1031 missing += 1
1032 if missing:
1033 _missing_arguments(f_name, kwonlyargs, False, arg2value)
Benjamin Peterson25cd7eb2010-03-30 18:42:32 +00001034 return arg2value
1035
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001036# -------------------------------------------------- stack frame extraction
Christian Heimes25bb7832008-01-11 16:17:00 +00001037
1038Traceback = namedtuple('Traceback', 'filename lineno function code_context index')
1039
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001040def getframeinfo(frame, context=1):
1041 """Get information about a frame or traceback object.
1042
1043 A tuple of five things is returned: the filename, the line number of
1044 the current line, the function name, a list of lines of context from
1045 the source code, and the index of the current line within that list.
1046 The optional second argument specifies the number of lines of context
1047 to return, which are centered around the current line."""
1048 if istraceback(frame):
Andrew M. Kuchlingba8b6bc2004-06-05 14:11:59 +00001049 lineno = frame.tb_lineno
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001050 frame = frame.tb_frame
Andrew M. Kuchlingba8b6bc2004-06-05 14:11:59 +00001051 else:
1052 lineno = frame.f_lineno
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001053 if not isframe(frame):
Benjamin Peterson4ac9ce42009-10-04 14:49:41 +00001054 raise TypeError('{!r} is not a frame or traceback object'.format(frame))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001055
Neil Schemenauerf06f8532002-03-23 23:51:04 +00001056 filename = getsourcefile(frame) or getfile(frame)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001057 if context > 0:
Guido van Rossum54e54c62001-09-04 19:14:14 +00001058 start = lineno - 1 - context//2
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001059 try:
1060 lines, lnum = findsource(frame)
Ka-Ping Yee4eb0c002001-03-02 05:50:34 +00001061 except IOError:
1062 lines = index = None
1063 else:
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001064 start = max(start, 1)
Raymond Hettingera0501712004-06-15 11:22:53 +00001065 start = max(0, min(start, len(lines) - context))
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001066 lines = lines[start:start+context]
Ka-Ping Yee59ade082001-03-01 03:55:35 +00001067 index = lineno - 1 - start
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001068 else:
1069 lines = index = None
1070
Christian Heimes25bb7832008-01-11 16:17:00 +00001071 return Traceback(filename, lineno, frame.f_code.co_name, lines, index)
Ka-Ping Yee59ade082001-03-01 03:55:35 +00001072
1073def getlineno(frame):
1074 """Get the line number from a frame object, allowing for optimization."""
Michael W. Hudsondd32a912002-08-15 14:59:02 +00001075 # FrameType.f_lineno is now a descriptor that grovels co_lnotab
1076 return frame.f_lineno
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001077
1078def getouterframes(frame, context=1):
1079 """Get a list of records for a frame and all higher (calling) frames.
1080
1081 Each record contains a frame object, filename, line number, function
1082 name, a list of lines of context, and index within the context."""
1083 framelist = []
1084 while frame:
1085 framelist.append((frame,) + getframeinfo(frame, context))
1086 frame = frame.f_back
1087 return framelist
1088
1089def getinnerframes(tb, context=1):
1090 """Get a list of records for a traceback's frame and all lower frames.
1091
1092 Each record contains a frame object, filename, line number, function
1093 name, a list of lines of context, and index within the context."""
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001094 framelist = []
1095 while tb:
1096 framelist.append((tb.tb_frame,) + getframeinfo(tb, context))
1097 tb = tb.tb_next
1098 return framelist
1099
Benjamin Peterson42ac4752010-08-09 13:05:35 +00001100def currentframe():
Benjamin Petersona3a3fc62010-08-09 15:49:56 +00001101 """Return the frame of the caller or None if this is not possible."""
Benjamin Peterson42ac4752010-08-09 13:05:35 +00001102 return sys._getframe(1) if hasattr(sys, "_getframe") else None
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001103
1104def stack(context=1):
1105 """Return a list of records for the stack above the caller's frame."""
Jeremy Hyltonab919022003-06-27 18:41:20 +00001106 return getouterframes(sys._getframe(1), context)
Ka-Ping Yee6397c7c2001-02-27 14:43:21 +00001107
1108def trace(context=1):
Tim Peters85ba6732001-02-28 08:26:44 +00001109 """Return a list of records for the stack below the current exception."""
Fred Draked451ec12002-04-26 02:29:55 +00001110 return getinnerframes(sys.exc_info()[2], context)
Michael Foord95fc51d2010-11-20 15:07:30 +00001111
1112
1113# ------------------------------------------------ static version of getattr
1114
1115_sentinel = object()
1116
Michael Foorde5162652010-11-20 16:40:44 +00001117def _static_getmro(klass):
1118 return type.__dict__['__mro__'].__get__(klass)
1119
Michael Foord95fc51d2010-11-20 15:07:30 +00001120def _check_instance(obj, attr):
1121 instance_dict = {}
1122 try:
1123 instance_dict = object.__getattribute__(obj, "__dict__")
1124 except AttributeError:
1125 pass
Michael Foorddcebe0f2011-03-15 19:20:44 -04001126 return dict.get(instance_dict, attr, _sentinel)
Michael Foord95fc51d2010-11-20 15:07:30 +00001127
1128
1129def _check_class(klass, attr):
Michael Foorde5162652010-11-20 16:40:44 +00001130 for entry in _static_getmro(klass):
Michael Foorda51623b2011-12-18 22:01:40 +00001131 if _shadowed_dict(type(entry)) is _sentinel:
Michael Foorddcebe0f2011-03-15 19:20:44 -04001132 try:
1133 return entry.__dict__[attr]
1134 except KeyError:
1135 pass
Michael Foord95fc51d2010-11-20 15:07:30 +00001136 return _sentinel
1137
Michael Foord35184ed2010-11-20 16:58:30 +00001138def _is_type(obj):
1139 try:
1140 _static_getmro(obj)
1141 except TypeError:
1142 return False
1143 return True
1144
Michael Foorddcebe0f2011-03-15 19:20:44 -04001145def _shadowed_dict(klass):
1146 dict_attr = type.__dict__["__dict__"]
1147 for entry in _static_getmro(klass):
1148 try:
1149 class_dict = dict_attr.__get__(entry)["__dict__"]
1150 except KeyError:
1151 pass
1152 else:
1153 if not (type(class_dict) is types.GetSetDescriptorType and
1154 class_dict.__name__ == "__dict__" and
1155 class_dict.__objclass__ is entry):
Michael Foorda51623b2011-12-18 22:01:40 +00001156 return class_dict
1157 return _sentinel
Michael Foord95fc51d2010-11-20 15:07:30 +00001158
1159def getattr_static(obj, attr, default=_sentinel):
1160 """Retrieve attributes without triggering dynamic lookup via the
1161 descriptor protocol, __getattr__ or __getattribute__.
1162
1163 Note: this function may not be able to retrieve all attributes
1164 that getattr can fetch (like dynamically created attributes)
1165 and may find attributes that getattr can't (like descriptors
1166 that raise AttributeError). It can also return descriptor objects
1167 instead of instance members in some cases. See the
1168 documentation for details.
1169 """
1170 instance_result = _sentinel
Michael Foord35184ed2010-11-20 16:58:30 +00001171 if not _is_type(obj):
Michael Foordcc7ebb82010-11-20 16:20:16 +00001172 klass = type(obj)
Michael Foorda51623b2011-12-18 22:01:40 +00001173 dict_attr = _shadowed_dict(klass)
1174 if (dict_attr is _sentinel or
1175 type(dict_attr) is types.MemberDescriptorType):
Michael Foorddcebe0f2011-03-15 19:20:44 -04001176 instance_result = _check_instance(obj, attr)
Michael Foord95fc51d2010-11-20 15:07:30 +00001177 else:
1178 klass = obj
1179
1180 klass_result = _check_class(klass, attr)
1181
1182 if instance_result is not _sentinel and klass_result is not _sentinel:
1183 if (_check_class(type(klass_result), '__get__') is not _sentinel and
1184 _check_class(type(klass_result), '__set__') is not _sentinel):
1185 return klass_result
1186
1187 if instance_result is not _sentinel:
1188 return instance_result
1189 if klass_result is not _sentinel:
1190 return klass_result
1191
1192 if obj is klass:
1193 # for types we check the metaclass too
Michael Foorde5162652010-11-20 16:40:44 +00001194 for entry in _static_getmro(type(klass)):
Michael Foord3ba95f82011-12-22 01:13:37 +00001195 if _shadowed_dict(type(entry)) is _sentinel:
1196 try:
1197 return entry.__dict__[attr]
1198 except KeyError:
1199 pass
Michael Foord95fc51d2010-11-20 15:07:30 +00001200 if default is not _sentinel:
1201 return default
1202 raise AttributeError(attr)
Nick Coghlane0f04652010-11-21 03:44:04 +00001203
1204
Nick Coghlan7921b9f2010-11-30 06:36:04 +00001205GEN_CREATED = 'GEN_CREATED'
1206GEN_RUNNING = 'GEN_RUNNING'
1207GEN_SUSPENDED = 'GEN_SUSPENDED'
1208GEN_CLOSED = 'GEN_CLOSED'
Nick Coghlane0f04652010-11-21 03:44:04 +00001209
1210def getgeneratorstate(generator):
1211 """Get current state of a generator-iterator.
1212
1213 Possible states are:
1214 GEN_CREATED: Waiting to start execution.
1215 GEN_RUNNING: Currently being executed by the interpreter.
1216 GEN_SUSPENDED: Currently suspended at a yield expression.
1217 GEN_CLOSED: Execution has completed.
1218 """
1219 if generator.gi_running:
1220 return GEN_RUNNING
1221 if generator.gi_frame is None:
1222 return GEN_CLOSED
1223 if generator.gi_frame.f_lasti == -1:
1224 return GEN_CREATED
1225 return GEN_SUSPENDED