blob: 06f4537f448e59983baafcc9dbb935d4c5054841 [file] [log] [blame]
Fred Drakebc875f52004-02-04 23:14:14 +00001import gc
Fred Drake41deb1e2001-02-01 05:27:45 +00002import sys
Fred Drakeb0fefc52001-03-23 04:22:45 +00003import unittest
Fred Drake5935ff02001-12-19 16:54:23 +00004import UserList
Fred Drake41deb1e2001-02-01 05:27:45 +00005import weakref
6
Barry Warsaw04f357c2002-07-23 19:04:11 +00007from test import test_support
Fred Drake41deb1e2001-02-01 05:27:45 +00008
9
10class C:
Fred Drakeb0fefc52001-03-23 04:22:45 +000011 def method(self):
12 pass
Fred Drake41deb1e2001-02-01 05:27:45 +000013
14
Fred Drakeb0fefc52001-03-23 04:22:45 +000015class Callable:
16 bar = None
Fred Drake41deb1e2001-02-01 05:27:45 +000017
Fred Drakeb0fefc52001-03-23 04:22:45 +000018 def __call__(self, x):
19 self.bar = x
Fred Drake41deb1e2001-02-01 05:27:45 +000020
21
Fred Drakeb0fefc52001-03-23 04:22:45 +000022def create_function():
23 def f(): pass
24 return f
25
26def create_bound_method():
27 return C().method
28
29def create_unbound_method():
30 return C.method
Fred Drake41deb1e2001-02-01 05:27:45 +000031
32
Fred Drakeb0fefc52001-03-23 04:22:45 +000033class TestBase(unittest.TestCase):
34
35 def setUp(self):
36 self.cbcalled = 0
37
38 def callback(self, ref):
39 self.cbcalled += 1
Fred Drake41deb1e2001-02-01 05:27:45 +000040
41
Fred Drakeb0fefc52001-03-23 04:22:45 +000042class ReferencesTestCase(TestBase):
Fred Drake41deb1e2001-02-01 05:27:45 +000043
Fred Drakeb0fefc52001-03-23 04:22:45 +000044 def test_basic_ref(self):
45 self.check_basic_ref(C)
46 self.check_basic_ref(create_function)
47 self.check_basic_ref(create_bound_method)
48 self.check_basic_ref(create_unbound_method)
Fred Drake41deb1e2001-02-01 05:27:45 +000049
Fred Drake43735da2002-04-11 03:59:42 +000050 # Just make sure the tp_repr handler doesn't raise an exception.
51 # Live reference:
52 o = C()
53 wr = weakref.ref(o)
Brett Cannon0b70cca2006-08-25 02:59:59 +000054 repr(wr)
Fred Drake43735da2002-04-11 03:59:42 +000055 # Dead reference:
56 del o
Brett Cannon0b70cca2006-08-25 02:59:59 +000057 repr(wr)
Fred Drake43735da2002-04-11 03:59:42 +000058
Fred Drakeb0fefc52001-03-23 04:22:45 +000059 def test_basic_callback(self):
60 self.check_basic_callback(C)
61 self.check_basic_callback(create_function)
62 self.check_basic_callback(create_bound_method)
63 self.check_basic_callback(create_unbound_method)
Fred Drake41deb1e2001-02-01 05:27:45 +000064
Fred Drakeb0fefc52001-03-23 04:22:45 +000065 def test_multiple_callbacks(self):
66 o = C()
67 ref1 = weakref.ref(o, self.callback)
68 ref2 = weakref.ref(o, self.callback)
69 del o
70 self.assert_(ref1() is None,
71 "expected reference to be invalidated")
72 self.assert_(ref2() is None,
73 "expected reference to be invalidated")
74 self.assert_(self.cbcalled == 2,
75 "callback not called the right number of times")
Fred Drake41deb1e2001-02-01 05:27:45 +000076
Fred Drake705088e2001-04-13 17:18:15 +000077 def test_multiple_selfref_callbacks(self):
Guido van Rossum9eee5542002-08-22 20:21:30 +000078 # Make sure all references are invalidated before callbacks are called
Fred Drake705088e2001-04-13 17:18:15 +000079 #
80 # What's important here is that we're using the first
81 # reference in the callback invoked on the second reference
82 # (the most recently created ref is cleaned up first). This
83 # tests that all references to the object are invalidated
84 # before any of the callbacks are invoked, so that we only
85 # have one invocation of _weakref.c:cleanup_helper() active
86 # for a particular object at a time.
87 #
88 def callback(object, self=self):
89 self.ref()
90 c = C()
91 self.ref = weakref.ref(c, callback)
92 ref1 = weakref.ref(c, callback)
93 del c
94
Fred Drakeb0fefc52001-03-23 04:22:45 +000095 def test_proxy_ref(self):
96 o = C()
97 o.bar = 1
98 ref1 = weakref.proxy(o, self.callback)
99 ref2 = weakref.proxy(o, self.callback)
100 del o
Fred Drake41deb1e2001-02-01 05:27:45 +0000101
Fred Drakeb0fefc52001-03-23 04:22:45 +0000102 def check(proxy):
103 proxy.bar
Fred Drake41deb1e2001-02-01 05:27:45 +0000104
Fred Drakeb0fefc52001-03-23 04:22:45 +0000105 self.assertRaises(weakref.ReferenceError, check, ref1)
106 self.assertRaises(weakref.ReferenceError, check, ref2)
Neal Norwitzbdcb9412004-07-08 01:22:31 +0000107 self.assertRaises(weakref.ReferenceError, bool, weakref.proxy(C()))
Fred Drakeb0fefc52001-03-23 04:22:45 +0000108 self.assert_(self.cbcalled == 2)
Fred Drake41deb1e2001-02-01 05:27:45 +0000109
Fred Drakeb0fefc52001-03-23 04:22:45 +0000110 def check_basic_ref(self, factory):
111 o = factory()
112 ref = weakref.ref(o)
113 self.assert_(ref() is not None,
114 "weak reference to live object should be live")
115 o2 = ref()
116 self.assert_(o is o2,
117 "<ref>() should return original object if live")
Fred Drake41deb1e2001-02-01 05:27:45 +0000118
Fred Drakeb0fefc52001-03-23 04:22:45 +0000119 def check_basic_callback(self, factory):
120 self.cbcalled = 0
121 o = factory()
122 ref = weakref.ref(o, self.callback)
123 del o
Fred Drake705088e2001-04-13 17:18:15 +0000124 self.assert_(self.cbcalled == 1,
125 "callback did not properly set 'cbcalled'")
126 self.assert_(ref() is None,
127 "ref2 should be dead after deleting object reference")
Fred Drake41deb1e2001-02-01 05:27:45 +0000128
Fred Drakeb0fefc52001-03-23 04:22:45 +0000129 def test_ref_reuse(self):
130 o = C()
131 ref1 = weakref.ref(o)
132 # create a proxy to make sure that there's an intervening creation
133 # between these two; it should make no difference
134 proxy = weakref.proxy(o)
135 ref2 = weakref.ref(o)
136 self.assert_(ref1 is ref2,
137 "reference object w/out callback should be re-used")
Fred Drake41deb1e2001-02-01 05:27:45 +0000138
Fred Drakeb0fefc52001-03-23 04:22:45 +0000139 o = C()
140 proxy = weakref.proxy(o)
141 ref1 = weakref.ref(o)
142 ref2 = weakref.ref(o)
143 self.assert_(ref1 is ref2,
144 "reference object w/out callback should be re-used")
145 self.assert_(weakref.getweakrefcount(o) == 2,
146 "wrong weak ref count for object")
147 del proxy
148 self.assert_(weakref.getweakrefcount(o) == 1,
149 "wrong weak ref count for object after deleting proxy")
Fred Drake41deb1e2001-02-01 05:27:45 +0000150
Fred Drakeb0fefc52001-03-23 04:22:45 +0000151 def test_proxy_reuse(self):
152 o = C()
153 proxy1 = weakref.proxy(o)
154 ref = weakref.ref(o)
155 proxy2 = weakref.proxy(o)
156 self.assert_(proxy1 is proxy2,
157 "proxy object w/out callback should have been re-used")
158
159 def test_basic_proxy(self):
160 o = C()
161 self.check_proxy(o, weakref.proxy(o))
162
Fred Drake5935ff02001-12-19 16:54:23 +0000163 L = UserList.UserList()
164 p = weakref.proxy(L)
165 self.failIf(p, "proxy for empty UserList should be false")
166 p.append(12)
167 self.assertEqual(len(L), 1)
168 self.failUnless(p, "proxy for non-empty UserList should be true")
169 p[:] = [2, 3]
170 self.assertEqual(len(L), 2)
171 self.assertEqual(len(p), 2)
Fred Drakef425b1e2003-07-14 21:37:17 +0000172 self.failUnless(3 in p,
173 "proxy didn't support __contains__() properly")
Fred Drake5935ff02001-12-19 16:54:23 +0000174 p[1] = 5
175 self.assertEqual(L[1], 5)
176 self.assertEqual(p[1], 5)
177 L2 = UserList.UserList(L)
178 p2 = weakref.proxy(L2)
179 self.assertEqual(p, p2)
Walter Dörwald70a6b492004-02-12 17:35:32 +0000180 ## self.assertEqual(repr(L2), repr(p2))
Fred Drake43735da2002-04-11 03:59:42 +0000181 L3 = UserList.UserList(range(10))
182 p3 = weakref.proxy(L3)
183 self.assertEqual(L3[:], p3[:])
184 self.assertEqual(L3[5:], p3[5:])
185 self.assertEqual(L3[:5], p3[:5])
186 self.assertEqual(L3[2:5], p3[2:5])
Fred Drake5935ff02001-12-19 16:54:23 +0000187
Fred Drakeea2adc92004-02-03 19:56:46 +0000188 # The PyWeakref_* C API is documented as allowing either NULL or
189 # None as the value for the callback, where either means "no
190 # callback". The "no callback" ref and proxy objects are supposed
191 # to be shared so long as they exist by all callers so long as
Thomas Wouters902d6eb2007-01-09 23:18:33 +0000192 # they are active. In Python 2.3.3 and earlier, this guarantee
Fred Drakeea2adc92004-02-03 19:56:46 +0000193 # was not honored, and was broken in different ways for
194 # PyWeakref_NewRef() and PyWeakref_NewProxy(). (Two tests.)
195
196 def test_shared_ref_without_callback(self):
197 self.check_shared_without_callback(weakref.ref)
198
199 def test_shared_proxy_without_callback(self):
200 self.check_shared_without_callback(weakref.proxy)
201
202 def check_shared_without_callback(self, makeref):
203 o = Object(1)
204 p1 = makeref(o, None)
205 p2 = makeref(o, None)
206 self.assert_(p1 is p2, "both callbacks were None in the C API")
207 del p1, p2
208 p1 = makeref(o)
209 p2 = makeref(o, None)
210 self.assert_(p1 is p2, "callbacks were NULL, None in the C API")
211 del p1, p2
212 p1 = makeref(o)
213 p2 = makeref(o)
214 self.assert_(p1 is p2, "both callbacks were NULL in the C API")
215 del p1, p2
216 p1 = makeref(o, None)
217 p2 = makeref(o)
218 self.assert_(p1 is p2, "callbacks were None, NULL in the C API")
219
Fred Drakeb0fefc52001-03-23 04:22:45 +0000220 def test_callable_proxy(self):
221 o = Callable()
222 ref1 = weakref.proxy(o)
223
224 self.check_proxy(o, ref1)
225
226 self.assert_(type(ref1) is weakref.CallableProxyType,
227 "proxy is not of callable type")
228 ref1('twinkies!')
229 self.assert_(o.bar == 'twinkies!',
230 "call through proxy not passed through to original")
Fred Drake3bb4d212001-10-18 19:28:29 +0000231 ref1(x='Splat.')
232 self.assert_(o.bar == 'Splat.',
233 "call through proxy not passed through to original")
Fred Drakeb0fefc52001-03-23 04:22:45 +0000234
235 # expect due to too few args
236 self.assertRaises(TypeError, ref1)
237
238 # expect due to too many args
239 self.assertRaises(TypeError, ref1, 1, 2, 3)
240
241 def check_proxy(self, o, proxy):
242 o.foo = 1
243 self.assert_(proxy.foo == 1,
244 "proxy does not reflect attribute addition")
245 o.foo = 2
246 self.assert_(proxy.foo == 2,
247 "proxy does not reflect attribute modification")
248 del o.foo
249 self.assert_(not hasattr(proxy, 'foo'),
250 "proxy does not reflect attribute removal")
251
252 proxy.foo = 1
253 self.assert_(o.foo == 1,
254 "object does not reflect attribute addition via proxy")
255 proxy.foo = 2
256 self.assert_(
257 o.foo == 2,
258 "object does not reflect attribute modification via proxy")
259 del proxy.foo
260 self.assert_(not hasattr(o, 'foo'),
261 "object does not reflect attribute removal via proxy")
262
Raymond Hettingerd693a812003-06-30 04:18:48 +0000263 def test_proxy_deletion(self):
264 # Test clearing of SF bug #762891
265 class Foo:
266 result = None
267 def __delitem__(self, accessor):
268 self.result = accessor
269 g = Foo()
270 f = weakref.proxy(g)
271 del f[0]
272 self.assertEqual(f.result, 0)
273
Raymond Hettingere6c470f2005-03-27 03:04:54 +0000274 def test_proxy_bool(self):
275 # Test clearing of SF bug #1170766
276 class List(list): pass
277 lyst = List()
278 self.assertEqual(bool(weakref.proxy(lyst)), bool(lyst))
279
Fred Drakeb0fefc52001-03-23 04:22:45 +0000280 def test_getweakrefcount(self):
281 o = C()
282 ref1 = weakref.ref(o)
283 ref2 = weakref.ref(o, self.callback)
284 self.assert_(weakref.getweakrefcount(o) == 2,
285 "got wrong number of weak reference objects")
286
287 proxy1 = weakref.proxy(o)
288 proxy2 = weakref.proxy(o, self.callback)
289 self.assert_(weakref.getweakrefcount(o) == 4,
290 "got wrong number of weak reference objects")
291
Fred Drakeea2adc92004-02-03 19:56:46 +0000292 del ref1, ref2, proxy1, proxy2
293 self.assert_(weakref.getweakrefcount(o) == 0,
294 "weak reference objects not unlinked from"
295 " referent when discarded.")
296
Walter Dörwaldb167b042003-12-11 12:34:05 +0000297 # assumes ints do not support weakrefs
298 self.assert_(weakref.getweakrefcount(1) == 0,
299 "got wrong number of weak reference objects for int")
300
Fred Drakeb0fefc52001-03-23 04:22:45 +0000301 def test_getweakrefs(self):
302 o = C()
303 ref1 = weakref.ref(o, self.callback)
304 ref2 = weakref.ref(o, self.callback)
305 del ref1
306 self.assert_(weakref.getweakrefs(o) == [ref2],
307 "list of refs does not match")
308
309 o = C()
310 ref1 = weakref.ref(o, self.callback)
311 ref2 = weakref.ref(o, self.callback)
312 del ref2
313 self.assert_(weakref.getweakrefs(o) == [ref1],
314 "list of refs does not match")
315
Fred Drakeea2adc92004-02-03 19:56:46 +0000316 del ref1
317 self.assert_(weakref.getweakrefs(o) == [],
318 "list of refs not cleared")
319
Walter Dörwaldb167b042003-12-11 12:34:05 +0000320 # assumes ints do not support weakrefs
321 self.assert_(weakref.getweakrefs(1) == [],
322 "list of refs does not match for int")
323
Fred Drake39c27f12001-10-18 18:06:05 +0000324 def test_newstyle_number_ops(self):
325 class F(float):
326 pass
327 f = F(2.0)
328 p = weakref.proxy(f)
329 self.assert_(p + 1.0 == 3.0)
330 self.assert_(1.0 + p == 3.0) # this used to SEGV
331
Fred Drake2a64f462001-12-10 23:46:02 +0000332 def test_callbacks_protected(self):
Guido van Rossum9eee5542002-08-22 20:21:30 +0000333 # Callbacks protected from already-set exceptions?
Fred Drake2a64f462001-12-10 23:46:02 +0000334 # Regression test for SF bug #478534.
335 class BogusError(Exception):
336 pass
337 data = {}
338 def remove(k):
339 del data[k]
340 def encapsulate():
341 f = lambda : ()
342 data[weakref.ref(f, remove)] = None
343 raise BogusError
344 try:
345 encapsulate()
346 except BogusError:
347 pass
348 else:
349 self.fail("exception not properly restored")
350 try:
351 encapsulate()
352 except BogusError:
353 pass
354 else:
355 self.fail("exception not properly restored")
356
Tim Petersadd09b42003-11-12 20:43:28 +0000357 def test_sf_bug_840829(self):
358 # "weakref callbacks and gc corrupt memory"
359 # subtype_dealloc erroneously exposed a new-style instance
360 # already in the process of getting deallocated to gc,
361 # causing double-deallocation if the instance had a weakref
362 # callback that triggered gc.
363 # If the bug exists, there probably won't be an obvious symptom
364 # in a release build. In a debug build, a segfault will occur
365 # when the second attempt to remove the instance from the "list
366 # of all objects" occurs.
367
368 import gc
369
370 class C(object):
371 pass
372
373 c = C()
374 wr = weakref.ref(c, lambda ignore: gc.collect())
375 del c
376
Tim Petersf7f9e992003-11-13 21:59:32 +0000377 # There endeth the first part. It gets worse.
378 del wr
379
380 c1 = C()
381 c1.i = C()
382 wr = weakref.ref(c1.i, lambda ignore: gc.collect())
383
384 c2 = C()
385 c2.c1 = c1
386 del c1 # still alive because c2 points to it
387
388 # Now when subtype_dealloc gets called on c2, it's not enough just
389 # that c2 is immune from gc while the weakref callbacks associated
390 # with c2 execute (there are none in this 2nd half of the test, btw).
391 # subtype_dealloc goes on to call the base classes' deallocs too,
392 # so any gc triggered by weakref callbacks associated with anything
393 # torn down by a base class dealloc can also trigger double
394 # deallocation of c2.
395 del c2
Fred Drake41deb1e2001-02-01 05:27:45 +0000396
Tim Peters403a2032003-11-20 21:21:46 +0000397 def test_callback_in_cycle_1(self):
398 import gc
399
400 class J(object):
401 pass
402
403 class II(object):
404 def acallback(self, ignore):
405 self.J
406
407 I = II()
408 I.J = J
409 I.wr = weakref.ref(J, I.acallback)
410
411 # Now J and II are each in a self-cycle (as all new-style class
412 # objects are, since their __mro__ points back to them). I holds
413 # both a weak reference (I.wr) and a strong reference (I.J) to class
414 # J. I is also in a cycle (I.wr points to a weakref that references
415 # I.acallback). When we del these three, they all become trash, but
416 # the cycles prevent any of them from getting cleaned up immediately.
417 # Instead they have to wait for cyclic gc to deduce that they're
418 # trash.
419 #
420 # gc used to call tp_clear on all of them, and the order in which
421 # it does that is pretty accidental. The exact order in which we
422 # built up these things manages to provoke gc into running tp_clear
423 # in just the right order (I last). Calling tp_clear on II leaves
424 # behind an insane class object (its __mro__ becomes NULL). Calling
425 # tp_clear on J breaks its self-cycle, but J doesn't get deleted
426 # just then because of the strong reference from I.J. Calling
427 # tp_clear on I starts to clear I's __dict__, and just happens to
428 # clear I.J first -- I.wr is still intact. That removes the last
429 # reference to J, which triggers the weakref callback. The callback
430 # tries to do "self.J", and instances of new-style classes look up
431 # attributes ("J") in the class dict first. The class (II) wants to
432 # search II.__mro__, but that's NULL. The result was a segfault in
433 # a release build, and an assert failure in a debug build.
434 del I, J, II
435 gc.collect()
436
437 def test_callback_in_cycle_2(self):
438 import gc
439
440 # This is just like test_callback_in_cycle_1, except that II is an
441 # old-style class. The symptom is different then: an instance of an
442 # old-style class looks in its own __dict__ first. 'J' happens to
443 # get cleared from I.__dict__ before 'wr', and 'J' was never in II's
444 # __dict__, so the attribute isn't found. The difference is that
445 # the old-style II doesn't have a NULL __mro__ (it doesn't have any
446 # __mro__), so no segfault occurs. Instead it got:
447 # test_callback_in_cycle_2 (__main__.ReferencesTestCase) ...
448 # Exception exceptions.AttributeError:
449 # "II instance has no attribute 'J'" in <bound method II.acallback
450 # of <?.II instance at 0x00B9B4B8>> ignored
451
452 class J(object):
453 pass
454
455 class II:
456 def acallback(self, ignore):
457 self.J
458
459 I = II()
460 I.J = J
461 I.wr = weakref.ref(J, I.acallback)
462
463 del I, J, II
464 gc.collect()
465
466 def test_callback_in_cycle_3(self):
467 import gc
468
469 # This one broke the first patch that fixed the last two. In this
470 # case, the objects reachable from the callback aren't also reachable
471 # from the object (c1) *triggering* the callback: you can get to
472 # c1 from c2, but not vice-versa. The result was that c2's __dict__
473 # got tp_clear'ed by the time the c2.cb callback got invoked.
474
475 class C:
476 def cb(self, ignore):
477 self.me
478 self.c1
479 self.wr
480
481 c1, c2 = C(), C()
482
483 c2.me = c2
484 c2.c1 = c1
485 c2.wr = weakref.ref(c1, c2.cb)
486
487 del c1, c2
488 gc.collect()
489
490 def test_callback_in_cycle_4(self):
491 import gc
492
493 # Like test_callback_in_cycle_3, except c2 and c1 have different
494 # classes. c2's class (C) isn't reachable from c1 then, so protecting
495 # objects reachable from the dying object (c1) isn't enough to stop
496 # c2's class (C) from getting tp_clear'ed before c2.cb is invoked.
497 # The result was a segfault (C.__mro__ was NULL when the callback
498 # tried to look up self.me).
499
500 class C(object):
501 def cb(self, ignore):
502 self.me
503 self.c1
504 self.wr
505
506 class D:
507 pass
508
509 c1, c2 = D(), C()
510
511 c2.me = c2
512 c2.c1 = c1
513 c2.wr = weakref.ref(c1, c2.cb)
514
515 del c1, c2, C, D
516 gc.collect()
517
518 def test_callback_in_cycle_resurrection(self):
519 import gc
520
521 # Do something nasty in a weakref callback: resurrect objects
522 # from dead cycles. For this to be attempted, the weakref and
523 # its callback must also be part of the cyclic trash (else the
524 # objects reachable via the callback couldn't be in cyclic trash
525 # to begin with -- the callback would act like an external root).
526 # But gc clears trash weakrefs with callbacks early now, which
527 # disables the callbacks, so the callbacks shouldn't get called
528 # at all (and so nothing actually gets resurrected).
529
530 alist = []
531 class C(object):
532 def __init__(self, value):
533 self.attribute = value
534
535 def acallback(self, ignore):
536 alist.append(self.c)
537
538 c1, c2 = C(1), C(2)
539 c1.c = c2
540 c2.c = c1
541 c1.wr = weakref.ref(c2, c1.acallback)
542 c2.wr = weakref.ref(c1, c2.acallback)
543
544 def C_went_away(ignore):
545 alist.append("C went away")
546 wr = weakref.ref(C, C_went_away)
547
548 del c1, c2, C # make them all trash
549 self.assertEqual(alist, []) # del isn't enough to reclaim anything
550
551 gc.collect()
552 # c1.wr and c2.wr were part of the cyclic trash, so should have
553 # been cleared without their callbacks executing. OTOH, the weakref
554 # to C is bound to a function local (wr), and wasn't trash, so that
555 # callback should have been invoked when C went away.
556 self.assertEqual(alist, ["C went away"])
557 # The remaining weakref should be dead now (its callback ran).
558 self.assertEqual(wr(), None)
559
560 del alist[:]
561 gc.collect()
562 self.assertEqual(alist, [])
563
564 def test_callbacks_on_callback(self):
565 import gc
566
567 # Set up weakref callbacks *on* weakref callbacks.
568 alist = []
569 def safe_callback(ignore):
570 alist.append("safe_callback called")
571
572 class C(object):
573 def cb(self, ignore):
574 alist.append("cb called")
575
576 c, d = C(), C()
577 c.other = d
578 d.other = c
579 callback = c.cb
580 c.wr = weakref.ref(d, callback) # this won't trigger
581 d.wr = weakref.ref(callback, d.cb) # ditto
582 external_wr = weakref.ref(callback, safe_callback) # but this will
583 self.assert_(external_wr() is callback)
584
585 # The weakrefs attached to c and d should get cleared, so that
586 # C.cb is never called. But external_wr isn't part of the cyclic
587 # trash, and no cyclic trash is reachable from it, so safe_callback
588 # should get invoked when the bound method object callback (c.cb)
589 # -- which is itself a callback, and also part of the cyclic trash --
590 # gets reclaimed at the end of gc.
591
592 del callback, c, d, C
593 self.assertEqual(alist, []) # del isn't enough to clean up cycles
594 gc.collect()
595 self.assertEqual(alist, ["safe_callback called"])
596 self.assertEqual(external_wr(), None)
597
598 del alist[:]
599 gc.collect()
600 self.assertEqual(alist, [])
601
Fred Drakebc875f52004-02-04 23:14:14 +0000602 def test_gc_during_ref_creation(self):
603 self.check_gc_during_creation(weakref.ref)
604
605 def test_gc_during_proxy_creation(self):
606 self.check_gc_during_creation(weakref.proxy)
607
608 def check_gc_during_creation(self, makeref):
609 thresholds = gc.get_threshold()
610 gc.set_threshold(1, 1, 1)
611 gc.collect()
Fred Drake55cf4342004-02-13 19:21:57 +0000612 class A:
613 pass
Fred Drakebc875f52004-02-04 23:14:14 +0000614
615 def callback(*args):
616 pass
617
Fred Drake55cf4342004-02-13 19:21:57 +0000618 referenced = A()
Fred Drakebc875f52004-02-04 23:14:14 +0000619
Fred Drake55cf4342004-02-13 19:21:57 +0000620 a = A()
Fred Drakebc875f52004-02-04 23:14:14 +0000621 a.a = a
622 a.wr = makeref(referenced)
623
624 try:
625 # now make sure the object and the ref get labeled as
626 # cyclic trash:
Fred Drake55cf4342004-02-13 19:21:57 +0000627 a = A()
628 weakref.ref(referenced, callback)
Fred Drakebc875f52004-02-04 23:14:14 +0000629
630 finally:
631 gc.set_threshold(*thresholds)
632
Fred Drake0a4dd392004-07-02 18:57:45 +0000633
634class SubclassableWeakrefTestCase(unittest.TestCase):
635
636 def test_subclass_refs(self):
637 class MyRef(weakref.ref):
638 def __init__(self, ob, callback=None, value=42):
639 self.value = value
640 super(MyRef, self).__init__(ob, callback)
641 def __call__(self):
642 self.called = True
643 return super(MyRef, self).__call__()
644 o = Object("foo")
645 mr = MyRef(o, value=24)
646 self.assert_(mr() is o)
647 self.assert_(mr.called)
648 self.assertEqual(mr.value, 24)
649 del o
650 self.assert_(mr() is None)
651 self.assert_(mr.called)
652
653 def test_subclass_refs_dont_replace_standard_refs(self):
654 class MyRef(weakref.ref):
655 pass
656 o = Object(42)
657 r1 = MyRef(o)
658 r2 = weakref.ref(o)
659 self.assert_(r1 is not r2)
660 self.assertEqual(weakref.getweakrefs(o), [r2, r1])
661 self.assertEqual(weakref.getweakrefcount(o), 2)
662 r3 = MyRef(o)
663 self.assertEqual(weakref.getweakrefcount(o), 3)
664 refs = weakref.getweakrefs(o)
665 self.assertEqual(len(refs), 3)
666 self.assert_(r2 is refs[0])
667 self.assert_(r1 in refs[1:])
668 self.assert_(r3 in refs[1:])
669
670 def test_subclass_refs_dont_conflate_callbacks(self):
671 class MyRef(weakref.ref):
672 pass
673 o = Object(42)
674 r1 = MyRef(o, id)
675 r2 = MyRef(o, str)
676 self.assert_(r1 is not r2)
677 refs = weakref.getweakrefs(o)
678 self.assert_(r1 in refs)
679 self.assert_(r2 in refs)
680
681 def test_subclass_refs_with_slots(self):
682 class MyRef(weakref.ref):
683 __slots__ = "slot1", "slot2"
684 def __new__(type, ob, callback, slot1, slot2):
685 return weakref.ref.__new__(type, ob, callback)
686 def __init__(self, ob, callback, slot1, slot2):
687 self.slot1 = slot1
688 self.slot2 = slot2
689 def meth(self):
690 return self.slot1 + self.slot2
691 o = Object(42)
692 r = MyRef(o, None, "abc", "def")
693 self.assertEqual(r.slot1, "abc")
694 self.assertEqual(r.slot2, "def")
695 self.assertEqual(r.meth(), "abcdef")
696 self.failIf(hasattr(r, "__dict__"))
697
698
Fred Drake41deb1e2001-02-01 05:27:45 +0000699class Object:
700 def __init__(self, arg):
701 self.arg = arg
702 def __repr__(self):
703 return "<Object %r>" % self.arg
Guido van Rossum47b9ff62006-08-24 00:41:19 +0000704 def __lt__(self, other):
705 if isinstance(other, Object):
706 return self.arg < other.arg
707 return NotImplemented
708 def __hash__(self):
709 return hash(self.arg)
Fred Drake41deb1e2001-02-01 05:27:45 +0000710
Fred Drake41deb1e2001-02-01 05:27:45 +0000711
Fred Drakeb0fefc52001-03-23 04:22:45 +0000712class MappingTestCase(TestBase):
Martin v. Löwis5e163332001-02-27 18:36:56 +0000713
Fred Drakeb0fefc52001-03-23 04:22:45 +0000714 COUNT = 10
715
716 def test_weak_values(self):
Fred Drake0e540c32001-05-02 05:44:22 +0000717 #
718 # This exercises d.copy(), d.items(), d[], del d[], len(d).
719 #
720 dict, objects = self.make_weak_valued_dict()
Fred Drakeb0fefc52001-03-23 04:22:45 +0000721 for o in objects:
Guido van Rossum3cf5b1e2006-07-27 21:53:35 +0000722 self.assertEqual(weakref.getweakrefcount(o), 1)
Fred Drakeb0fefc52001-03-23 04:22:45 +0000723 self.assert_(o is dict[o.arg],
724 "wrong object returned by weak dict!")
725 items1 = dict.items()
726 items2 = dict.copy().items()
727 items1.sort()
728 items2.sort()
729 self.assert_(items1 == items2,
730 "cloning of weak-valued dictionary did not work!")
731 del items1, items2
732 self.assert_(len(dict) == self.COUNT)
733 del objects[0]
734 self.assert_(len(dict) == (self.COUNT - 1),
735 "deleting object did not cause dictionary update")
736 del objects, o
737 self.assert_(len(dict) == 0,
738 "deleting the values did not clear the dictionary")
Fred Drake4fd06e02001-08-03 04:11:27 +0000739 # regression on SF bug #447152:
740 dict = weakref.WeakValueDictionary()
741 self.assertRaises(KeyError, dict.__getitem__, 1)
742 dict[2] = C()
743 self.assertRaises(KeyError, dict.__getitem__, 2)
Fred Drakeb0fefc52001-03-23 04:22:45 +0000744
745 def test_weak_keys(self):
Fred Drake0e540c32001-05-02 05:44:22 +0000746 #
747 # This exercises d.copy(), d.items(), d[] = v, d[], del d[],
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000748 # len(d), k in d.
Fred Drake0e540c32001-05-02 05:44:22 +0000749 #
750 dict, objects = self.make_weak_keyed_dict()
Fred Drakeb0fefc52001-03-23 04:22:45 +0000751 for o in objects:
752 self.assert_(weakref.getweakrefcount(o) == 1,
753 "wrong number of weak references to %r!" % o)
754 self.assert_(o.arg is dict[o],
755 "wrong object returned by weak dict!")
756 items1 = dict.items()
757 items2 = dict.copy().items()
Raymond Hettingera690a992003-11-16 16:17:49 +0000758 self.assert_(set(items1) == set(items2),
Fred Drakeb0fefc52001-03-23 04:22:45 +0000759 "cloning of weak-keyed dictionary did not work!")
760 del items1, items2
761 self.assert_(len(dict) == self.COUNT)
762 del objects[0]
763 self.assert_(len(dict) == (self.COUNT - 1),
764 "deleting object did not cause dictionary update")
765 del objects, o
766 self.assert_(len(dict) == 0,
767 "deleting the keys did not clear the dictionary")
Fred Drake752eda42001-11-06 16:38:34 +0000768 o = Object(42)
769 dict[o] = "What is the meaning of the universe?"
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000770 self.assert_(o in dict)
771 self.assert_(34 not in dict)
Martin v. Löwis5e163332001-02-27 18:36:56 +0000772
Fred Drake0e540c32001-05-02 05:44:22 +0000773 def test_weak_keyed_iters(self):
774 dict, objects = self.make_weak_keyed_dict()
775 self.check_iters(dict)
776
Thomas Wouters477c8d52006-05-27 19:21:47 +0000777 # Test keyrefs()
778 refs = dict.keyrefs()
779 self.assertEqual(len(refs), len(objects))
780 objects2 = list(objects)
781 for wr in refs:
782 ob = wr()
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000783 self.assert_(ob in dict)
Thomas Wouters477c8d52006-05-27 19:21:47 +0000784 self.assert_(ob in dict)
785 self.assertEqual(ob.arg, dict[ob])
786 objects2.remove(ob)
787 self.assertEqual(len(objects2), 0)
788
789 # Test iterkeyrefs()
790 objects2 = list(objects)
791 self.assertEqual(len(list(dict.iterkeyrefs())), len(objects))
792 for wr in dict.iterkeyrefs():
793 ob = wr()
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000794 self.assert_(ob in dict)
Thomas Wouters477c8d52006-05-27 19:21:47 +0000795 self.assert_(ob in dict)
796 self.assertEqual(ob.arg, dict[ob])
797 objects2.remove(ob)
798 self.assertEqual(len(objects2), 0)
799
Fred Drake0e540c32001-05-02 05:44:22 +0000800 def test_weak_valued_iters(self):
801 dict, objects = self.make_weak_valued_dict()
802 self.check_iters(dict)
803
Thomas Wouters477c8d52006-05-27 19:21:47 +0000804 # Test valuerefs()
805 refs = dict.valuerefs()
806 self.assertEqual(len(refs), len(objects))
807 objects2 = list(objects)
808 for wr in refs:
809 ob = wr()
810 self.assertEqual(ob, dict[ob.arg])
811 self.assertEqual(ob.arg, dict[ob.arg].arg)
812 objects2.remove(ob)
813 self.assertEqual(len(objects2), 0)
814
815 # Test itervaluerefs()
816 objects2 = list(objects)
817 self.assertEqual(len(list(dict.itervaluerefs())), len(objects))
818 for wr in dict.itervaluerefs():
819 ob = wr()
820 self.assertEqual(ob, dict[ob.arg])
821 self.assertEqual(ob.arg, dict[ob.arg].arg)
822 objects2.remove(ob)
823 self.assertEqual(len(objects2), 0)
824
Fred Drake0e540c32001-05-02 05:44:22 +0000825 def check_iters(self, dict):
826 # item iterator:
827 items = dict.items()
828 for item in dict.iteritems():
829 items.remove(item)
Fred Drakeaaa48ff2001-05-10 17:16:38 +0000830 self.assert_(len(items) == 0, "iteritems() did not touch all items")
Fred Drake0e540c32001-05-02 05:44:22 +0000831
Fred Drakeaaa48ff2001-05-10 17:16:38 +0000832 # key iterator, via __iter__():
Fred Drake0e540c32001-05-02 05:44:22 +0000833 keys = dict.keys()
834 for k in dict:
835 keys.remove(k)
Fred Drakeaaa48ff2001-05-10 17:16:38 +0000836 self.assert_(len(keys) == 0, "__iter__() did not touch all keys")
837
838 # key iterator, via iterkeys():
839 keys = dict.keys()
840 for k in dict.iterkeys():
841 keys.remove(k)
842 self.assert_(len(keys) == 0, "iterkeys() did not touch all keys")
Fred Drake0e540c32001-05-02 05:44:22 +0000843
844 # value iterator:
845 values = dict.values()
846 for v in dict.itervalues():
847 values.remove(v)
Fred Drakef425b1e2003-07-14 21:37:17 +0000848 self.assert_(len(values) == 0,
849 "itervalues() did not touch all values")
Fred Drake0e540c32001-05-02 05:44:22 +0000850
Guido van Rossum009afb72002-06-10 20:00:52 +0000851 def test_make_weak_keyed_dict_from_dict(self):
852 o = Object(3)
853 dict = weakref.WeakKeyDictionary({o:364})
854 self.assert_(dict[o] == 364)
855
856 def test_make_weak_keyed_dict_from_weak_keyed_dict(self):
857 o = Object(3)
858 dict = weakref.WeakKeyDictionary({o:364})
859 dict2 = weakref.WeakKeyDictionary(dict)
860 self.assert_(dict[o] == 364)
861
Fred Drake0e540c32001-05-02 05:44:22 +0000862 def make_weak_keyed_dict(self):
863 dict = weakref.WeakKeyDictionary()
864 objects = map(Object, range(self.COUNT))
865 for o in objects:
866 dict[o] = o.arg
867 return dict, objects
868
869 def make_weak_valued_dict(self):
870 dict = weakref.WeakValueDictionary()
871 objects = map(Object, range(self.COUNT))
872 for o in objects:
873 dict[o.arg] = o
874 return dict, objects
875
Fred Drakeaaa48ff2001-05-10 17:16:38 +0000876 def check_popitem(self, klass, key1, value1, key2, value2):
877 weakdict = klass()
878 weakdict[key1] = value1
879 weakdict[key2] = value2
880 self.assert_(len(weakdict) == 2)
881 k, v = weakdict.popitem()
882 self.assert_(len(weakdict) == 1)
883 if k is key1:
884 self.assert_(v is value1)
885 else:
886 self.assert_(v is value2)
887 k, v = weakdict.popitem()
888 self.assert_(len(weakdict) == 0)
889 if k is key1:
890 self.assert_(v is value1)
891 else:
892 self.assert_(v is value2)
893
894 def test_weak_valued_dict_popitem(self):
895 self.check_popitem(weakref.WeakValueDictionary,
896 "key1", C(), "key2", C())
897
898 def test_weak_keyed_dict_popitem(self):
899 self.check_popitem(weakref.WeakKeyDictionary,
900 C(), "value 1", C(), "value 2")
901
902 def check_setdefault(self, klass, key, value1, value2):
903 self.assert_(value1 is not value2,
904 "invalid test"
905 " -- value parameters must be distinct objects")
906 weakdict = klass()
907 o = weakdict.setdefault(key, value1)
908 self.assert_(o is value1)
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000909 self.assert_(key in weakdict)
Fred Drakeaaa48ff2001-05-10 17:16:38 +0000910 self.assert_(weakdict.get(key) is value1)
911 self.assert_(weakdict[key] is value1)
912
913 o = weakdict.setdefault(key, value2)
914 self.assert_(o is value1)
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000915 self.assert_(key in weakdict)
Fred Drakeaaa48ff2001-05-10 17:16:38 +0000916 self.assert_(weakdict.get(key) is value1)
917 self.assert_(weakdict[key] is value1)
918
919 def test_weak_valued_dict_setdefault(self):
920 self.check_setdefault(weakref.WeakValueDictionary,
921 "key", C(), C())
922
923 def test_weak_keyed_dict_setdefault(self):
924 self.check_setdefault(weakref.WeakKeyDictionary,
925 C(), "value 1", "value 2")
926
Fred Drakea0a4ab12001-04-16 17:37:27 +0000927 def check_update(self, klass, dict):
Fred Drake0e540c32001-05-02 05:44:22 +0000928 #
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000929 # This exercises d.update(), len(d), d.keys(), k in d,
Fred Drake0e540c32001-05-02 05:44:22 +0000930 # d.get(), d[].
931 #
Fred Drakea0a4ab12001-04-16 17:37:27 +0000932 weakdict = klass()
933 weakdict.update(dict)
934 self.assert_(len(weakdict) == len(dict))
935 for k in weakdict.keys():
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000936 self.assert_(k in dict,
Fred Drakea0a4ab12001-04-16 17:37:27 +0000937 "mysterious new key appeared in weak dict")
938 v = dict.get(k)
939 self.assert_(v is weakdict[k])
940 self.assert_(v is weakdict.get(k))
941 for k in dict.keys():
Guido van Rossume2b70bc2006-08-18 22:13:04 +0000942 self.assert_(k in weakdict,
Fred Drakea0a4ab12001-04-16 17:37:27 +0000943 "original key disappeared in weak dict")
944 v = dict[k]
945 self.assert_(v is weakdict[k])
946 self.assert_(v is weakdict.get(k))
947
948 def test_weak_valued_dict_update(self):
949 self.check_update(weakref.WeakValueDictionary,
950 {1: C(), 'a': C(), C(): C()})
951
952 def test_weak_keyed_dict_update(self):
953 self.check_update(weakref.WeakKeyDictionary,
954 {C(): 1, C(): 2, C(): 3})
955
Fred Drakeccc75622001-09-06 14:52:39 +0000956 def test_weak_keyed_delitem(self):
957 d = weakref.WeakKeyDictionary()
958 o1 = Object('1')
959 o2 = Object('2')
960 d[o1] = 'something'
961 d[o2] = 'something'
962 self.assert_(len(d) == 2)
963 del d[o1]
964 self.assert_(len(d) == 1)
965 self.assert_(d.keys() == [o2])
966
967 def test_weak_valued_delitem(self):
968 d = weakref.WeakValueDictionary()
969 o1 = Object('1')
970 o2 = Object('2')
971 d['something'] = o1
972 d['something else'] = o2
973 self.assert_(len(d) == 2)
974 del d['something']
975 self.assert_(len(d) == 1)
976 self.assert_(d.items() == [('something else', o2)])
977
Tim Peters886128f2003-05-25 01:45:11 +0000978 def test_weak_keyed_bad_delitem(self):
979 d = weakref.WeakKeyDictionary()
980 o = Object('1')
981 # An attempt to delete an object that isn't there should raise
Tim Peters50d8b8b2003-05-25 17:44:31 +0000982 # KeyError. It didn't before 2.3.
Tim Peters886128f2003-05-25 01:45:11 +0000983 self.assertRaises(KeyError, d.__delitem__, o)
Tim Peters50d8b8b2003-05-25 17:44:31 +0000984 self.assertRaises(KeyError, d.__getitem__, o)
985
986 # If a key isn't of a weakly referencable type, __getitem__ and
987 # __setitem__ raise TypeError. __delitem__ should too.
988 self.assertRaises(TypeError, d.__delitem__, 13)
989 self.assertRaises(TypeError, d.__getitem__, 13)
990 self.assertRaises(TypeError, d.__setitem__, 13, 13)
Tim Peters886128f2003-05-25 01:45:11 +0000991
992 def test_weak_keyed_cascading_deletes(self):
993 # SF bug 742860. For some reason, before 2.3 __delitem__ iterated
994 # over the keys via self.data.iterkeys(). If things vanished from
995 # the dict during this (or got added), that caused a RuntimeError.
996
997 d = weakref.WeakKeyDictionary()
998 mutate = False
999
1000 class C(object):
1001 def __init__(self, i):
1002 self.value = i
1003 def __hash__(self):
1004 return hash(self.value)
1005 def __eq__(self, other):
1006 if mutate:
1007 # Side effect that mutates the dict, by removing the
1008 # last strong reference to a key.
1009 del objs[-1]
1010 return self.value == other.value
1011
1012 objs = [C(i) for i in range(4)]
1013 for o in objs:
1014 d[o] = o.value
1015 del o # now the only strong references to keys are in objs
1016 # Find the order in which iterkeys sees the keys.
1017 objs = d.keys()
1018 # Reverse it, so that the iteration implementation of __delitem__
1019 # has to keep looping to find the first object we delete.
1020 objs.reverse()
Tim Peters50d8b8b2003-05-25 17:44:31 +00001021
Tim Peters886128f2003-05-25 01:45:11 +00001022 # Turn on mutation in C.__eq__. The first time thru the loop,
1023 # under the iterkeys() business the first comparison will delete
1024 # the last item iterkeys() would see, and that causes a
1025 # RuntimeError: dictionary changed size during iteration
1026 # when the iterkeys() loop goes around to try comparing the next
Tim Peters50d8b8b2003-05-25 17:44:31 +00001027 # key. After this was fixed, it just deletes the last object *our*
Tim Peters886128f2003-05-25 01:45:11 +00001028 # "for o in obj" loop would have gotten to.
1029 mutate = True
1030 count = 0
1031 for o in objs:
1032 count += 1
1033 del d[o]
1034 self.assertEqual(len(d), 0)
1035 self.assertEqual(count, 2)
1036
Walter Dörwald0a6d0ff2004-05-31 16:29:04 +00001037from test import mapping_tests
Raymond Hettinger2c2d3222003-03-09 07:05:43 +00001038
Walter Dörwald0a6d0ff2004-05-31 16:29:04 +00001039class WeakValueDictionaryTestCase(mapping_tests.BasicTestMappingProtocol):
Fred Drakef425b1e2003-07-14 21:37:17 +00001040 """Check that WeakValueDictionary conforms to the mapping protocol"""
Raymond Hettinger2c2d3222003-03-09 07:05:43 +00001041 __ref = {"key1":Object(1), "key2":Object(2), "key3":Object(3)}
Walter Dörwald118f9312004-06-02 18:42:25 +00001042 type2test = weakref.WeakValueDictionary
Raymond Hettinger2c2d3222003-03-09 07:05:43 +00001043 def _reference(self):
1044 return self.__ref.copy()
1045
Walter Dörwald0a6d0ff2004-05-31 16:29:04 +00001046class WeakKeyDictionaryTestCase(mapping_tests.BasicTestMappingProtocol):
Fred Drakef425b1e2003-07-14 21:37:17 +00001047 """Check that WeakKeyDictionary conforms to the mapping protocol"""
Raymond Hettinger2c2d3222003-03-09 07:05:43 +00001048 __ref = {Object("key1"):1, Object("key2"):2, Object("key3"):3}
Walter Dörwald118f9312004-06-02 18:42:25 +00001049 type2test = weakref.WeakKeyDictionary
Raymond Hettinger2c2d3222003-03-09 07:05:43 +00001050 def _reference(self):
1051 return self.__ref.copy()
Martin v. Löwis5e163332001-02-27 18:36:56 +00001052
Georg Brandl9a65d582005-07-02 19:07:30 +00001053libreftest = """ Doctest for examples in the library reference: libweakref.tex
1054
1055>>> import weakref
1056>>> class Dict(dict):
1057... pass
1058...
1059>>> obj = Dict(red=1, green=2, blue=3) # this object is weak referencable
1060>>> r = weakref.ref(obj)
Thomas Wouters4d70c3d2006-06-08 14:42:34 +00001061>>> print r() is obj
1062True
Georg Brandl9a65d582005-07-02 19:07:30 +00001063
1064>>> import weakref
1065>>> class Object:
1066... pass
1067...
1068>>> o = Object()
1069>>> r = weakref.ref(o)
1070>>> o2 = r()
1071>>> o is o2
1072True
1073>>> del o, o2
1074>>> print r()
1075None
1076
1077>>> import weakref
1078>>> class ExtendedRef(weakref.ref):
1079... def __init__(self, ob, callback=None, **annotations):
1080... super(ExtendedRef, self).__init__(ob, callback)
1081... self.__counter = 0
1082... for k, v in annotations.iteritems():
1083... setattr(self, k, v)
1084... def __call__(self):
1085... '''Return a pair containing the referent and the number of
1086... times the reference has been called.
1087... '''
1088... ob = super(ExtendedRef, self).__call__()
1089... if ob is not None:
1090... self.__counter += 1
1091... ob = (ob, self.__counter)
1092... return ob
1093...
1094>>> class A: # not in docs from here, just testing the ExtendedRef
1095... pass
1096...
1097>>> a = A()
1098>>> r = ExtendedRef(a, foo=1, bar="baz")
1099>>> r.foo
11001
1101>>> r.bar
1102'baz'
1103>>> r()[1]
11041
1105>>> r()[1]
11062
1107>>> r()[0] is a
1108True
1109
1110
1111>>> import weakref
1112>>> _id2obj_dict = weakref.WeakValueDictionary()
1113>>> def remember(obj):
1114... oid = id(obj)
1115... _id2obj_dict[oid] = obj
1116... return oid
1117...
1118>>> def id2obj(oid):
1119... return _id2obj_dict[oid]
1120...
1121>>> a = A() # from here, just testing
1122>>> a_id = remember(a)
1123>>> id2obj(a_id) is a
1124True
1125>>> del a
1126>>> try:
1127... id2obj(a_id)
1128... except KeyError:
1129... print 'OK'
1130... else:
1131... print 'WeakValueDictionary error'
1132OK
1133
1134"""
1135
1136__test__ = {'libreftest' : libreftest}
1137
Fred Drake2e2be372001-09-20 21:33:42 +00001138def test_main():
Walter Dörwald21d3a322003-05-01 17:45:56 +00001139 test_support.run_unittest(
1140 ReferencesTestCase,
1141 MappingTestCase,
1142 WeakValueDictionaryTestCase,
Fred Drakef425b1e2003-07-14 21:37:17 +00001143 WeakKeyDictionaryTestCase,
1144 )
Georg Brandl9a65d582005-07-02 19:07:30 +00001145 test_support.run_doctest(sys.modules[__name__])
Fred Drake2e2be372001-09-20 21:33:42 +00001146
1147
1148if __name__ == "__main__":
1149 test_main()