/usr/share/pyshared/zope/testrunner/refcount.py is in python-zope.testrunner 4.0.3-3.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | ##############################################################################
#
# Copyright (c) 2004-2008 Zope Foundation and Contributors.
# All Rights Reserved.
#
# This software is subject to the provisions of the Zope Public License,
# Version 2.1 (ZPL). A copy of the ZPL should accompany this distribution.
# THIS SOFTWARE IS PROVIDED "AS IS" AND ANY AND ALL EXPRESS OR IMPLIED
# WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
# WARRANTIES OF TITLE, MERCHANTABILITY, AGAINST INFRINGEMENT, AND FITNESS
# FOR A PARTICULAR PURPOSE.
#
##############################################################################
"""Support for tracking reference counts.
"""
import gc
import sys
import types
class TrackRefs(object):
"""Object to track reference counts across test runs."""
def __init__(self):
self.type2count = {}
self.type2all = {}
self.delta = None
self.n = 0
self.update()
self.delta = None
def update(self):
gc.collect()
obs = sys.getobjects(0)
type2count = {}
type2all = {}
n = 0
for o in obs:
if type(o) is str and o == '<dummy key>':
# avoid dictionary madness
continue
all = sys.getrefcount(o) - 3
n += all
t = type(o)
if t is types.InstanceType:
t = o.__class__
if t in type2count:
type2count[t] += 1
type2all[t] += all
else:
type2count[t] = 1
type2all[t] = all
ct = [(
type_or_class_title(t),
type2count[t] - self.type2count.get(t, 0),
type2all[t] - self.type2all.get(t, 0),
)
for t in type2count.iterkeys()]
ct += [(
type_or_class_title(t),
- self.type2count[t],
- self.type2all[t],
)
for t in self.type2count.iterkeys()
if t not in type2count]
ct.sort()
self.delta = ct
self.type2count = type2count
self.type2all = type2all
self.n = n
def output(self):
printed = False
s1 = s2 = 0
for t, delta1, delta2 in self.delta:
if delta1 or delta2:
if not printed:
print (
' Leak details, changes in instances and refcounts'
' by type/class:')
print " %-55s %6s %6s" % ('type/class', 'insts', 'refs')
print " %-55s %6s %6s" % ('-' * 55, '-----', '----')
printed = True
print " %-55s %6d %6d" % (t, delta1, delta2)
s1 += delta1
s2 += delta2
if printed:
print " %-55s %6s %6s" % ('-' * 55, '-----', '----')
print " %-55s %6s %6s" % ('total', s1, s2)
self.delta = None
def type_or_class_title(t):
module = getattr(t, '__module__', '__builtin__')
if module == '__builtin__':
return t.__name__
return "%s.%s" % (module, t.__name__)
|