blob: 77b7ad3a005de12f2963ecf53976166e493fc9fd [file] [log] [blame]
Guido van Rossum4b8c6ea2000-02-04 15:39:30 +00001"""Generic (shallow and deep) copying operations.
Guido van Rossum409780f1995-01-10 00:34:21 +00002
Guido van Rossumcc6764c1995-02-09 17:18:10 +00003Interface summary:
4
Tim Peters88869f92001-01-14 23:36:06 +00005 import copy
Guido van Rossumcc6764c1995-02-09 17:18:10 +00006
Tim Peters88869f92001-01-14 23:36:06 +00007 x = copy.copy(y) # make a shallow copy of y
8 x = copy.deepcopy(y) # make a deep copy of y
Guido van Rossumcc6764c1995-02-09 17:18:10 +00009
Guido van Rossum55d2f391995-03-14 17:41:36 +000010For module specific errors, copy.error is raised.
Guido van Rossumcc6764c1995-02-09 17:18:10 +000011
12The difference between shallow and deep copying is only relevant for
13compound objects (objects that contain other objects, like lists or
14class instances).
15
16- A shallow copy constructs a new compound object and then (to the
17 extent possible) inserts *the same objects* into in that the
18 original contains.
19
20- A deep copy constructs a new compound object and then, recursively,
21 inserts *copies* into it of the objects found in the original.
22
23Two problems often exist with deep copy operations that don't exist
24with shallow copy operations:
25
Guido van Rossumf7cea101997-05-28 19:31:14 +000026 a) recursive objects (compound objects that, directly or indirectly,
Guido van Rossumcc6764c1995-02-09 17:18:10 +000027 contain a reference to themselves) may cause a recursive loop
28
Guido van Rossumf7cea101997-05-28 19:31:14 +000029 b) because deep copy copies *everything* it may copy too much, e.g.
Guido van Rossumcc6764c1995-02-09 17:18:10 +000030 administrative data structures that should be shared even between
31 copies
32
33Python's deep copy operation avoids these problems by:
34
Guido van Rossumf7cea101997-05-28 19:31:14 +000035 a) keeping a table of objects already copied during the current
36 copying pass
Guido van Rossumcc6764c1995-02-09 17:18:10 +000037
Guido van Rossumf7cea101997-05-28 19:31:14 +000038 b) letting user-defined classes override the copying operation or the
Guido van Rossumcc6764c1995-02-09 17:18:10 +000039 set of components copied
40
41This version does not copy types like module, class, function, method,
42nor stack trace, stack frame, nor file, socket, window, nor array, nor
43any similar types.
44
45Classes can use the same interfaces to control copying that they use
46to control pickling: they can define methods called __getinitargs__(),
Guido van Rossumc5d2d511997-12-07 16:18:22 +000047__getstate__() and __setstate__(). See the documentation for module
Guido van Rossumcc6764c1995-02-09 17:18:10 +000048"pickle" for information on these methods.
49"""
Guido van Rossum409780f1995-01-10 00:34:21 +000050
Guido van Rossumabfdd701997-10-07 14:47:50 +000051# XXX need to support copy_reg here too...
52
Guido van Rossum409780f1995-01-10 00:34:21 +000053import types
54
Fred Drake227b1202000-08-17 05:06:49 +000055class Error(Exception):
Tim Peters88869f92001-01-14 23:36:06 +000056 pass
57error = Error # backward compatibility
Guido van Rossum409780f1995-01-10 00:34:21 +000058
Guido van Rossumf8baad02000-11-27 21:53:14 +000059try:
60 from org.python.core import PyStringMap
61except ImportError:
62 PyStringMap = None
63
Guido van Rossum6cef6d52001-09-28 18:13:29 +000064__all__ = ["Error", "error", "copy", "deepcopy"]
Skip Montanaroe99d5ea2001-01-20 19:54:20 +000065
Guido van Rossum409780f1995-01-10 00:34:21 +000066def copy(x):
Tim Peters88869f92001-01-14 23:36:06 +000067 """Shallow copy operation on arbitrary Python objects.
Guido van Rossumcc6764c1995-02-09 17:18:10 +000068
Tim Peters88869f92001-01-14 23:36:06 +000069 See the module's __doc__ string for more info.
70 """
Guido van Rossumcc6764c1995-02-09 17:18:10 +000071
Tim Peters88869f92001-01-14 23:36:06 +000072 try:
73 copierfunction = _copy_dispatch[type(x)]
74 except KeyError:
75 try:
76 copier = x.__copy__
77 except AttributeError:
Guido van Rossum6cef6d52001-09-28 18:13:29 +000078 try:
79 reductor = x.__reduce__
80 except AttributeError:
81 raise error, \
82 "un(shallow)copyable object of type %s" % type(x)
83 else:
84 y = _reconstruct(x, reductor(), 0)
85 else:
86 y = copier()
Tim Peters88869f92001-01-14 23:36:06 +000087 else:
88 y = copierfunction(x)
89 return y
Guido van Rossum409780f1995-01-10 00:34:21 +000090
91_copy_dispatch = d = {}
92
93def _copy_atomic(x):
Tim Peters88869f92001-01-14 23:36:06 +000094 return x
Guido van Rossum409780f1995-01-10 00:34:21 +000095d[types.NoneType] = _copy_atomic
96d[types.IntType] = _copy_atomic
97d[types.LongType] = _copy_atomic
98d[types.FloatType] = _copy_atomic
Guido van Rossum8b9def32001-09-28 18:16:13 +000099try:
100 d[types.ComplexType] = _copy_atomic
101except AttributeError:
102 pass
Guido van Rossum409780f1995-01-10 00:34:21 +0000103d[types.StringType] = _copy_atomic
Martin v. Löwis339d0f72001-08-17 18:39:25 +0000104try:
105 d[types.UnicodeType] = _copy_atomic
106except AttributeError:
107 pass
Guido van Rossum2fff84d1999-01-25 21:37:02 +0000108try:
Tim Peters88869f92001-01-14 23:36:06 +0000109 d[types.CodeType] = _copy_atomic
Guido van Rossum2fff84d1999-01-25 21:37:02 +0000110except AttributeError:
Tim Peters88869f92001-01-14 23:36:06 +0000111 pass
Guido van Rossum409780f1995-01-10 00:34:21 +0000112d[types.TypeType] = _copy_atomic
113d[types.XRangeType] = _copy_atomic
Guido van Rossum55d2f391995-03-14 17:41:36 +0000114d[types.ClassType] = _copy_atomic
Guido van Rossum409780f1995-01-10 00:34:21 +0000115
116def _copy_list(x):
Tim Peters88869f92001-01-14 23:36:06 +0000117 return x[:]
Guido van Rossum409780f1995-01-10 00:34:21 +0000118d[types.ListType] = _copy_list
119
120def _copy_tuple(x):
Tim Peters88869f92001-01-14 23:36:06 +0000121 return x[:]
Guido van Rossum409780f1995-01-10 00:34:21 +0000122d[types.TupleType] = _copy_tuple
123
124def _copy_dict(x):
Tim Peters88869f92001-01-14 23:36:06 +0000125 return x.copy()
Guido van Rossum409780f1995-01-10 00:34:21 +0000126d[types.DictionaryType] = _copy_dict
Guido van Rossumf8baad02000-11-27 21:53:14 +0000127if PyStringMap is not None:
128 d[PyStringMap] = _copy_dict
Guido van Rossum409780f1995-01-10 00:34:21 +0000129
130def _copy_inst(x):
Tim Peters88869f92001-01-14 23:36:06 +0000131 if hasattr(x, '__copy__'):
132 return x.__copy__()
133 if hasattr(x, '__getinitargs__'):
134 args = x.__getinitargs__()
135 y = apply(x.__class__, args)
136 else:
137 y = _EmptyClass()
138 y.__class__ = x.__class__
139 if hasattr(x, '__getstate__'):
140 state = x.__getstate__()
141 else:
142 state = x.__dict__
143 if hasattr(y, '__setstate__'):
144 y.__setstate__(state)
145 else:
146 y.__dict__.update(state)
147 return y
Guido van Rossum409780f1995-01-10 00:34:21 +0000148d[types.InstanceType] = _copy_inst
149
150del d
151
152def deepcopy(x, memo = None):
Tim Peters88869f92001-01-14 23:36:06 +0000153 """Deep copy operation on arbitrary Python objects.
Guido van Rossumcc6764c1995-02-09 17:18:10 +0000154
Tim Peters88869f92001-01-14 23:36:06 +0000155 See the module's __doc__ string for more info.
156 """
Guido van Rossumcc6764c1995-02-09 17:18:10 +0000157
Tim Peters88869f92001-01-14 23:36:06 +0000158 if memo is None:
159 memo = {}
160 d = id(x)
Raymond Hettinger54f02222002-06-01 14:18:47 +0000161 if d in memo:
Tim Peters88869f92001-01-14 23:36:06 +0000162 return memo[d]
163 try:
164 copierfunction = _deepcopy_dispatch[type(x)]
165 except KeyError:
166 try:
167 copier = x.__deepcopy__
168 except AttributeError:
Guido van Rossum6cef6d52001-09-28 18:13:29 +0000169 try:
170 reductor = x.__reduce__
171 except AttributeError:
172 raise error, \
173 "un-deep-copyable object of type %s" % type(x)
174 else:
Guido van Rossum1e91c142001-12-28 21:33:22 +0000175 y = _reconstruct(x, reductor(), 1, memo)
Guido van Rossum6cef6d52001-09-28 18:13:29 +0000176 else:
177 y = copier(memo)
Tim Peters88869f92001-01-14 23:36:06 +0000178 else:
179 y = copierfunction(x, memo)
180 memo[d] = y
181 return y
Guido van Rossum409780f1995-01-10 00:34:21 +0000182
183_deepcopy_dispatch = d = {}
184
185def _deepcopy_atomic(x, memo):
Tim Peters88869f92001-01-14 23:36:06 +0000186 return x
Guido van Rossum409780f1995-01-10 00:34:21 +0000187d[types.NoneType] = _deepcopy_atomic
188d[types.IntType] = _deepcopy_atomic
189d[types.LongType] = _deepcopy_atomic
190d[types.FloatType] = _deepcopy_atomic
Guido van Rossum8b9def32001-09-28 18:16:13 +0000191try:
192 d[types.ComplexType] = _deepcopy_atomic
193except AttributeError:
194 pass
Guido van Rossum409780f1995-01-10 00:34:21 +0000195d[types.StringType] = _deepcopy_atomic
Martin v. Löwis339d0f72001-08-17 18:39:25 +0000196try:
197 d[types.UnicodeType] = _deepcopy_atomic
198except AttributeError:
199 pass
Guido van Rossum88b666c2002-02-28 23:19:52 +0000200try:
201 d[types.CodeType] = _deepcopy_atomic
202except AttributeError:
203 pass
Guido van Rossum409780f1995-01-10 00:34:21 +0000204d[types.TypeType] = _deepcopy_atomic
205d[types.XRangeType] = _deepcopy_atomic
206
207def _deepcopy_list(x, memo):
Tim Peters88869f92001-01-14 23:36:06 +0000208 y = []
209 memo[id(x)] = y
210 for a in x:
211 y.append(deepcopy(a, memo))
212 return y
Guido van Rossum409780f1995-01-10 00:34:21 +0000213d[types.ListType] = _deepcopy_list
214
215def _deepcopy_tuple(x, memo):
Tim Peters88869f92001-01-14 23:36:06 +0000216 y = []
217 for a in x:
218 y.append(deepcopy(a, memo))
219 d = id(x)
220 try:
221 return memo[d]
222 except KeyError:
223 pass
224 for i in range(len(x)):
225 if x[i] is not y[i]:
226 y = tuple(y)
227 break
228 else:
229 y = x
230 memo[d] = y
231 return y
Guido van Rossum409780f1995-01-10 00:34:21 +0000232d[types.TupleType] = _deepcopy_tuple
233
234def _deepcopy_dict(x, memo):
Tim Peters88869f92001-01-14 23:36:06 +0000235 y = {}
236 memo[id(x)] = y
Raymond Hettingere0d49722002-06-02 18:55:56 +0000237 for key, value in x.iteritems():
238 y[deepcopy(key, memo)] = deepcopy(value, memo)
Tim Peters88869f92001-01-14 23:36:06 +0000239 return y
Guido van Rossum409780f1995-01-10 00:34:21 +0000240d[types.DictionaryType] = _deepcopy_dict
Guido van Rossumf8baad02000-11-27 21:53:14 +0000241if PyStringMap is not None:
242 d[PyStringMap] = _deepcopy_dict
Guido van Rossum409780f1995-01-10 00:34:21 +0000243
Guido van Rossum558be281997-08-20 22:26:19 +0000244def _keep_alive(x, memo):
Tim Peters88869f92001-01-14 23:36:06 +0000245 """Keeps a reference to the object x in the memo.
Guido van Rossum558be281997-08-20 22:26:19 +0000246
Tim Peters88869f92001-01-14 23:36:06 +0000247 Because we remember objects by their id, we have
248 to assure that possibly temporary objects are kept
249 alive by referencing them.
250 We store a reference at the id of the memo, which should
251 normally not be used unless someone tries to deepcopy
252 the memo itself...
253 """
254 try:
255 memo[id(memo)].append(x)
256 except KeyError:
257 # aha, this is the first one :-)
258 memo[id(memo)]=[x]
Guido van Rossum558be281997-08-20 22:26:19 +0000259
Guido van Rossum409780f1995-01-10 00:34:21 +0000260def _deepcopy_inst(x, memo):
Tim Peters88869f92001-01-14 23:36:06 +0000261 if hasattr(x, '__deepcopy__'):
262 return x.__deepcopy__(memo)
263 if hasattr(x, '__getinitargs__'):
264 args = x.__getinitargs__()
265 _keep_alive(args, memo)
266 args = deepcopy(args, memo)
267 y = apply(x.__class__, args)
268 else:
269 y = _EmptyClass()
270 y.__class__ = x.__class__
271 memo[id(x)] = y
272 if hasattr(x, '__getstate__'):
273 state = x.__getstate__()
274 _keep_alive(state, memo)
275 else:
276 state = x.__dict__
277 state = deepcopy(state, memo)
278 if hasattr(y, '__setstate__'):
279 y.__setstate__(state)
280 else:
281 y.__dict__.update(state)
282 return y
Guido van Rossum409780f1995-01-10 00:34:21 +0000283d[types.InstanceType] = _deepcopy_inst
284
Guido van Rossum1e91c142001-12-28 21:33:22 +0000285def _reconstruct(x, info, deep, memo=None):
Guido van Rossum6cef6d52001-09-28 18:13:29 +0000286 if isinstance(info, str):
287 return x
288 assert isinstance(info, tuple)
Guido van Rossum1e91c142001-12-28 21:33:22 +0000289 if memo is None:
290 memo = {}
Guido van Rossum6cef6d52001-09-28 18:13:29 +0000291 n = len(info)
292 assert n in (2, 3)
293 callable, args = info[:2]
294 if n > 2:
295 state = info[2]
296 else:
297 state = {}
298 if deep:
Guido van Rossum1e91c142001-12-28 21:33:22 +0000299 args = deepcopy(args, memo)
Guido van Rossum6cef6d52001-09-28 18:13:29 +0000300 y = callable(*args)
301 if state:
302 if deep:
Guido van Rossum1e91c142001-12-28 21:33:22 +0000303 state = deepcopy(state, memo)
Guido van Rossum3e3583c2002-06-06 17:41:20 +0000304 if hasattr(y, '__setstate__'):
305 y.__setstate__(state)
306 else:
307 y.__dict__.update(state)
Guido van Rossum6cef6d52001-09-28 18:13:29 +0000308 return y
309
Guido van Rossum409780f1995-01-10 00:34:21 +0000310del d
311
312del types
313
Guido van Rossumc5d2d511997-12-07 16:18:22 +0000314# Helper for instance creation without calling __init__
315class _EmptyClass:
316 pass
317
Guido van Rossum409780f1995-01-10 00:34:21 +0000318def _test():
Tim Peters88869f92001-01-14 23:36:06 +0000319 l = [None, 1, 2L, 3.14, 'xyzzy', (1, 2L), [3.14, 'abc'],
320 {'abc': 'ABC'}, (), [], {}]
321 l1 = copy(l)
322 print l1==l
323 l1 = map(copy, l)
324 print l1==l
325 l1 = deepcopy(l)
326 print l1==l
327 class C:
328 def __init__(self, arg=None):
329 self.a = 1
330 self.arg = arg
331 if __name__ == '__main__':
332 import sys
333 file = sys.argv[0]
334 else:
335 file = __file__
336 self.fp = open(file)
337 self.fp.close()
338 def __getstate__(self):
339 return {'a': self.a, 'arg': self.arg}
340 def __setstate__(self, state):
Raymond Hettingere0d49722002-06-02 18:55:56 +0000341 for key, value in state.iteritems():
342 setattr(self, key, value)
Tim Peters88869f92001-01-14 23:36:06 +0000343 def __deepcopy__(self, memo = None):
344 new = self.__class__(deepcopy(self.arg, memo))
345 new.a = self.a
346 return new
347 c = C('argument sketch')
348 l.append(c)
349 l2 = copy(l)
350 print l == l2
351 print l
352 print l2
353 l2 = deepcopy(l)
354 print l == l2
355 print l
356 print l2
357 l.append({l[1]: l, 'xyz': l[2]})
358 l3 = copy(l)
359 import repr
360 print map(repr.repr, l)
361 print map(repr.repr, l1)
362 print map(repr.repr, l2)
363 print map(repr.repr, l3)
364 l3 = deepcopy(l)
365 import repr
366 print map(repr.repr, l)
367 print map(repr.repr, l1)
368 print map(repr.repr, l2)
369 print map(repr.repr, l3)
Guido van Rossum409780f1995-01-10 00:34:21 +0000370
371if __name__ == '__main__':
Tim Peters88869f92001-01-14 23:36:06 +0000372 _test()