This question already has answers here:
How do I measure the memory usage of an object in python?

(2个答案)


2年前关闭。




我想计算一个对象使用的内存。 sys.getsizeof很不错,但是很浅(例如,在列表上调用,它不包括列表元素占用的内存)。

我想编写sys.getsizeof的通用“深度”版本。我了解“深层”的定义有些含糊;我对definition followed by copy.deepcopy 非常满意。

这是我的第一次尝试:
def get_deep_sizeof(x, level=0, processed=None):
    if processed is None:
        # we're here only if this function is called by client code, not recursively
        processed = set()
    processed.add(id(x))
    mem = sys.getsizeof(x)
    if isinstance(x, collections.Iterable) and not isinstance(x, str):
        for xx in x:
            if id(xx) in processed:
                continue
            mem += get_deep_sizeof(xx, level+1, processed)
            if isinstance(x, dict):
                mem += get_deep_sizeof(x[xx], level+1, processed)
    return mem

它遭受两个已知问题,并且存在未知数量的未知问题:
  • 我不知道如何以捕获所有链接对象的方式遍历通用容器。因此,我使用in进行了迭代,并对字典的大小写进行了硬编码(包括值,而不仅仅是键)。显然,这不适用于字典等其他类。
  • 我必须对str的排除进行硬编码(这是可迭代的,但没有任何其他对象的链接)。同样,如果有更多这样的对象,这将中断。

  • 我怀疑使用in并不是一个好主意,但是我不确定还有其他方法。

    最佳答案

    我认为Pympler已经打败了您。
    从他们的documentation:

    >>> from pympler.asizeof import asizeof
    >>> obj = [1, 2, (3, 4), 'text']
    >>> asizeof(obj)
    176
    
    可以找到源代码here.

    关于python - sys.getsizeof的深版本,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14208410/

    10-11 16:21