在下面显示的功能中,我想在使用后从内存中清除x
的值。
def f(x, *args):
# do something
y = g(x) # here i want to use x as argument and clear value of x from ram
# do something
我尝试了以下方法,并使用memory_profiler
检查了内存使用情况,但无济于事:
del x
x = None
我尝试过的示例代码:
%%file temp.py
import lorem
@profile
def f(x, use_none=True):
# do something
y = g(x)
if use_none:
x = None
else:
del x
# do something
def g(x):
n = len(x)
return [lorem.paragraph() * i for i in range(n)]
if __name__ == '__main__':
x = g([1] * 1000)
# f(x, True)
f(x, False)
memory_profiler
命令:
python -m memory_profiler temp.py
结果(使用None
):
Filename: temp.py
Line # Mem usage Increment Line Contents
================================================
3 187.387 MiB 187.387 MiB @profile
4 def f(x, use_none=True):
5 # do something
6 340.527 MiB 153.141 MiB y = g(x)
7 340.527 MiB 0.000 MiB if use_none:
8 340.527 MiB 0.000 MiB x = None
9 else:
10 del x
结果(使用del
):
Filename: temp.py
Line # Mem usage Increment Line Contents
================================================
3 186.723 MiB 186.723 MiB @profile
4 def f(x, use_none=True):
5 # do something
6 338.832 MiB 152.109 MiB y = g(x)
7 338.832 MiB 0.000 MiB if use_none:
8 x = None
9 else:
10 338.832 MiB 0.000 MiB del x
修改 从global和gc.collect()中删除不起作用
Filename: temp.py
Line # Mem usage Increment Line Contents
================================================
4 188.953 MiB 188.953 MiB @profile
5 def f(x, use_none=True):
6 # do something
7 342.352 MiB 153.398 MiB y = g(x)
8 342.352 MiB 0.000 MiB if use_none:
9 x = None
10 globals()['x'] = None
11 gc.collect()
12 else:
13 342.352 MiB 0.000 MiB del x
14 342.352 MiB 0.000 MiB del globals()['x']
15 342.352 MiB 0.000 MiB gc.collect()
此外,我编写此代码仅供参考, 在我的实际代码中,我多次从一个函数调用另一个函数,有时根据一些操作后的一些参数值和x值从内部调用同一函数。
每次通话后,我想在执行一些操作后删除x。
答案 0 :(得分:8)
假设您正在使用CPython(可能还有其他实现),则当对象的引用计数降至零时,将触发垃圾回收。即使对象没有立即被垃圾回收,这也不是您看到结果的原因。原因是您不能垃圾回收仍具有强引用的对象。
del
取消绑定当前名称空间中的名称,将引用计数减少一。它实际上并没有删除任何内容。 del
与=
相反,而不是__new__
。
将None
或任何其他对象分配给该名称也会减少原始绑定的引用计数。唯一的区别是重新分配将名称保留在名称空间中。
第x = g([1] * 1000)
行在全局模块名称空间中创建一个对象。然后,您调用f
并将该对象绑定到x
的本地名称空间中的名称f
。那时,有两个引用:一个在本地名称空间中,另一个在全局名称中。
在卸载模块之前,您的对象在正常情况下不会消失。您也可以在f
中尝试以下操作:
del x
del globals()['x']
另一种方法是使用临时变量以避免在全局名称空间中分配:
f(g([1] * 1000), False)
您传递给f
的临时变量将在f
返回时消失,即使没有del
,因为它没有在其他地方引用。
这两个选项都可能需要在之后调用gc.collect()
,但在CPython中则不需要。
答案 1 :(得分:-1)
Python垃圾收集将在一段时间后自动释放未使用的内存。如果您想立即执行gc
,可以在del
之后尝试以下操作。
import gc
gc.collect()