Welcome to mirror list, hosted at ThFree Co, Russian Federation.

tempclassmodule.py « utils « mcf « modules « python « intern - git.blender.org/blender.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
blob: 9fe6eed3918b50c9d1e0849de9cbfd51586ff098 (plain)
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
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
'''
Generate module for holding temporary classes which
will be reconstructed into the same module to allow
cPickle and the like to properly import them.

Note: You _must_ pickle a reference to the tempclassmodule
_before_ you pickle any instances which use the classes stored
in the module!  Also, the classes cannot reference anything
in their dictionary or bases tuples which are not normally
pickleable (in particular, you can't subclass a class in the
same tempclassmodule or a tempclassmodule which you cannot
guarantee will be loaded before the dependent classes. (i.e.
by guaranteeing they will be pickled first)
'''
import new, time, string, sys, types

def buildModule(packagename, basename, rebuild=None, initialcontents=None):
	'''
	Dynamically build a module or rebuild one, generates
	a persistent ID/name if not rebuilding.  The persistent
	ID is the value of basename+`time.time()` with the decimal 
	point removed (i.e. a long string of digits).  Packagename
	must be an importable package!  Will raise an ImportError
	otherwise.  Also, for easy reconstitution, basename must not
	include any decimal points.
	
	initialcontents is a dictionary (or list) of elements which will be
	added to the new module.
	'''
	if rebuild == None:
		timestamp = `time.time()`
		decpos = string.find(timestamp,'.')
		basename = basename+timestamp[:decpos]+timestamp[decpos+1:]
	name = string.join((packagename, basename), '.')
	a = {}
	b = {}
	try: # see if we've already loaded this module...
		mod = __import__( name, {},{}, string.split( name, '.'))
		if initialcontents:
			_updateFrom(mod, initialcontents)
		return mod.__name__, mod
	except ImportError:
		pass
	mod = new.module(name)
	sys.modules[name] = mod
	# following is just to make sure the package is loaded before attempting to alter it...
	__import__( packagename, {}, {}, string.split(packagename) )
##	exec 'import %s'%(packagename) in a, b ### Security Risk!
	setattr(sys.modules[ packagename ], basename, mod)
	# now do the update if there were initial contents...
	if initialcontents:
		_updateFrom(mod, initialcontents)
	return name, mod

def buildClassIn(module, *classargs, **namedclassargs):
	'''
	Build a new class and register it in the module
	as if it were really defined there.
	'''
	print module, classargs, namedclassargs
	namedclassargs["__temporary_class__"] = 1
	newclass = new.classobj(classargs[0], classargs[1], namedclassargs)
	newclass.__module__ = module.__name__
	setattr(module, newclass.__name__, newclass)
	return newclass

def addClass(module, classobj):
	'''
	Insert a classobj into the tempclassmodule, setting the
	class' __module__ attribute to point to this tempclassmodule
	'''
	classobj.__module__ = module.__name__
	setattr(module, classobj.__name__, classobj)
	setattr( classobj, "__temporary_class__", 1)

def delClass(module, classobj):
	'''
	Remove this class from the module, Note: after running this
	the classobj is no longer able to be pickled/unpickled unless
	it is subsequently added to another module.  This is because
	it's __module__ attribute is now pointing to a module which
	is no longer going to save its definition!
	'''
	try:
		delattr(module, classobj.__name__)
	except AttributeError:
		pass

def _packageName(modulename):
	decpos = string.rfind(modulename, '.')
	return modulename[:decpos], modulename[decpos+1:]

def _updateFrom(module, contentsource):
	'''
	For dealing with unknown datatypes (those passed in by the user),
	we want to check and make sure we're building the classes correctly.
	'''
	# often will pass in a protoNamespace from which to update (during cloning)
	if type(contentsource) in ( types.DictType, types.InstanceType):
		contentsource = contentsource.values()
	# contentsource should now be a list of classes or class-building tuples
	for val in contentsource:
		if type(val) is types.ClassType:
			try:
				addClass(module, val)
			except:
				pass
		elif type(val) is types.TupleType:
			try:
				apply(buildClassIn, (module,)+val)
			except:
				pass

def deconstruct(templatemodule):
	'''
	Return a tuple which can be passed to reconstruct
	in order to get a rebuilt version of the module
	after pickling. i.e. apply(reconstruct, deconstruct(tempmodule))
	is the equivalent of doing a deepcopy on the tempmodule.
	'''
##	import pdb
##	pdb.set_trace()
	classbuilder = []
	for name, classobj in templatemodule.__dict__.items():
		if type(classobj) is types.ClassType: # only copy class objects, could do others, but these are special-purpose modules, not general-purpose ones.
			classbuilder.append( deconstruct_class( classobj) )
##		import pdb
##		pdb.set_trace()
	return (templatemodule.__name__, classbuilder)
##	except AttributeError:
##		print templatemodule
##		print classbuilder
	
def deconstruct_class( classobj ):
	'''
	Pull apart a class into a tuple of values which can be used
	to reconstruct it through a call to buildClassIn
	'''
	if not hasattr( classobj, "__temporary_class__"):
		# this is a regular class, re-import on load...
		return (classobj.__module__, classobj.__name__)
	else:
		# this is a temporary class which can be deconstructed
		bases = []
		for classobject in classobj.__bases__:
			bases.append( deconstruct_class (classobject) )
		return (classobj.__name__, tuple (bases), classobj.__dict__)
			

def reconstruct(modulename, classbuilder):
	'''
	Rebuild a temporary module and all of its classes
	from the structure created by deconstruct.
	i.e. apply(reconstruct, deconstruct(tempmodule))
	is the equivalent of doing a deepcopy on the tempmodule.
	'''
##	import pdb
##	pdb.set_trace()
	mname, newmod = apply(buildModule, _packageName(modulename)+(1,) ) # 1 signals reconstruct
	reconstruct_classes( newmod, classbuilder )
	return newmod

def reconstruct_classes( module, constructors ):
	'''
	Put a class back together from the tuple of values
	created by deconstruct_class.
	'''
	classes = []
	import pprint
	pprint.pprint( constructors)
	for constructor in constructors:
		if len (constructor) == 2:
			module, name = constructor
			# this is a standard class, re-import
			temporarymodule = __import__(
				module,
				{},{},
				string.split(module)+[name]
			)
			classobject =getattr (temporarymodule, name)
		else:
			# this is a class which needs to be re-constructed
			(name, bases,namedarguments) = constructor
			bases = tuple( reconstruct_classes( module, bases ))
			classobject = apply (
				buildClassIn,
				(module, name, bases), # name and bases are the args to the class constructor along with the dict contents in namedarguments
				namedarguments,
			)
		classes.append (classobject)
	return classes
	
	
def destroy(tempmodule):
	'''
	Destroy the module to allow the system to do garbage collection
	on it.  I'm not sure that the system really does do gc on modules,
	but one would hope :)
	'''
	name = tempmodule.__name__
	tempmodule.__dict__.clear() # clears references to the classes
	try:
		del(sys.modules[name])
	except KeyError:
		pass
	packagename, modname = _packageName(name)
	try:
		delattr(sys.modules[ packagename ], modname)
	except AttributeError:
		pass
	del( tempmodule ) # no, I don't see any reason to do it...
	return None
	
	
def deepcopy(templatemodule, packagename=None, basename=None):
	'''
	Rebuild the whole Module and it's included classes
	(just the classes).  Note: This will _not_ make instances
	based on the old classes point to the new classes!
	The value of this function is likely to be minimal given
	this restriction.  For pickling use deconstruct/reconstruct
	for simple copying just return the module.
	'''
	name, classbuilder = deconstruct( templatemodule )
	if packagename is None:
		tp, tb = _packageName( name )
		if packagename is None:
			packagename = tp
		if basename is None:
			basename = tb
	newmod = buildModule(packagename, basename, initialcontents=classbuilder )
	return newmod

if __name__ == "__main__":
	def testPickle ():
		import mcf.vrml.prototype
		name, module = buildModule( 'mcf.vrml.temp', 'scenegraph' )
		buildClassIn( module, 'this', () )
		buildClassIn( module, 'that', (mcf.vrml.prototype.ProtoTypeNode,) )
##		import pdb
##		pdb.set_trace()
		import pprint
		pprint.pprint( deconstruct( module ))
		name,builder = deconstruct( module )
		destroy( module)
		return reconstruct(name, builder)
	t = testPickle()
	print t