1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227
|
""" Classes used to represent modules. """
# Standard library imports.
import compiler, os
from compiler.visitor import ASTVisitor
# Enthought library imports.
from enthought.io.api import File
from enthought.traits.api import Any, Dict, HasTraits, Instance, Str
# Local imports.
from assign import Assign, AssignFactory
from function import Function, FunctionFactory
from klass import Klass, KlassFactory
from namespace import Namespace
class Module(Namespace):
""" A module. """
#### 'Module' interface ###################################################
# The namespace that the module is defined in. If the module is in a
# package then this will be the appropriate 'Package' instance, otherwise
# it will be None.
namespace = Instance(Namespace)
# The absolute filename of the module.
filename = Str
# The name of the module (this is currently the fully qualified name i.e.,
# it includes the names of the packages that the module is contained in).
name = Str
# The module's doc-string (None if there is no doc string, a string if
# there is).
doc = Any
# The module-level attributes.
attributes = Dict
# The classes defined in the module.
klasses = Dict
# The module-level functions.
functions = Dict
###########################################################################
# 'object' interface.
###########################################################################
def __str__(self):
""" Returns an informal string representation of the object. """
return 'Module %s' % self.filename
def __getstate__(self):
""" Returns the state of the object for pickling. """
state = {}
state['namespace'] = self.namespace
state['filename'] = self.filename
state['name'] = self.name
state['doc'] = self.doc
state['attributes'] = self.attributes
state['klasses'] = self.klasses
state['functions'] = self.functions
return state
def __setstate__(self, state):
""" Sets the state object duting unpickling. """
self.namespace = state['namespace']
self.filename = state['filename']
self.name = state['name']
self.doc = state['doc']
self.attributes = state['attributes']
self.klasses = state['klasses']
self.functions = state['functions']
return
class ModuleFactory(HasTraits):
""" A factory for modules. """
###########################################################################
# 'ModuleFactory' interface.
###########################################################################
def from_file(self, filename, namespace=None):
""" Creates a module by parsing a file. """
# Parse the file.
node = compiler.parseFile(filename)
# Create a new module.
module = Module(
namespace = namespace,
filename = filename,
name = self._get_module_name(filename),
doc = node.doc,
)
# Walk the AST picking out the things we care about!
compiler.walk(node, ModuleVisitor(module))
return module
###########################################################################
# Private interface.
###########################################################################
def _get_module_name(self, filename):
""" Get the fully qualified module name for a filename.
e.g. if the filename is:-
'/enthought/envisage/core/core_plugin_definition.py'
we would return:-
'enthought.envisage.core.core_plugin_definition'
"""
# Get the name of the module minus the '.py'
module, ext = os.path.splitext(os.path.basename(filename))
# Start with the actual module name.
module_path = [module]
# If the directory is a Python package then add it to the module path.
parent = File(os.path.dirname(filename))
while parent.is_package:
module_path.insert(0, parent.name)
parent = parent.parent
return '.'.join(module_path)
class ModuleVisitor(ASTVisitor):
""" An AST visitor for top-level modules. """
###########################################################################
# 'object' interface.
###########################################################################
def __init__(self, module):
""" Creates a new visitor. """
self.module = module
# Factories used to create klasses, functions and assignments from
# AST nodes.
self._klass_factory = KlassFactory()
self._function_factory = FunctionFactory()
self._assign_factory = AssignFactory()
return
###########################################################################
# 'ASTVisitor' interface.
###########################################################################
def visitClass(self, node):
""" Visits a class node. """
klass = self._klass_factory.from_ast(self.module, node)
self.module.locals[node.name] = klass
self.module.klasses[node.name] = klass
return
def visitFunction(self, node):
""" Visits a function node. """
function = self._function_factory.from_ast(self.module, node)
self.module.locals[node.name] = function
self.module.functions[node.name] = function
return
def visitAssign(self, node):
""" Visits an assignment node. """
assign = self._assign_factory.from_ast(self.module, node)
# Does the assigment look like it *might* be a trait? (i.e., it is NOT
# an expression or a constant etc.).
if len(assign.source) > 0:
assign.is_trait = self.module.is_trait(assign.source)
else:
assign.is_trait = False
for target in assign.targets:
self.module.locals[target] = assign
self.module.attributes[target] = assign
self.module._is_trait[target] = assign.is_trait
return
def visitFrom(self, node):
""" Visits a from node. """
for name, what in node.names:
self.module.imports[name] = node.modname
return
def visitImport(self, node):
""" Visits an import node. """
for name, what in node.names:
# fixme: We currently use the fact that we add an empty string to
# the imports dictionary to tell the difference later on between
# 'import' and 'from import'.
self.module.imports[name] = ''
return
#### EOF ######################################################################
|