我对python相当陌生(我通常使用c ++)。我编写了一个 python 脚本,使用光线追踪算法将 Blender 对象转换为二进制蒙版文件。
我最终会出现巨大的内存泄漏。对于 M = 512(如下所示),脚本在运行时会增加 RAM 使用量,最终结果是使用了高达 5.7GB 的内存。在脚本运行后,这种 RAM 使用量也会保留,直到我关闭 Blender。
我不确定该open()
命令是否将打开的文件存储在 RAM 中(我猜是这样),但这只会占用 256MB 的 RAM,因为这是生成的文件大小,也没有解释为什么 RAM 使用之后仍然存在fo.close()
。
我确定我缺少一些非常简单的东西,但对 python 不是很熟悉,我很难弄清楚它是什么。我尝试pointInsideMesh()
通过放置行来清除函数中使用的所有变量
axis = None
mat1 = None
mat = None
orig = None
count = None
location = None
normal = None
index = None
outside1 = None
outside2 = None
紧接在return
声明之前,但这并没有堵塞内存泄漏。这是我的代码:
import mathutils, numpy, bpy
def pointInsideMesh(point,ob):
axes = [ mathutils.Vector((1,0,0)) ]
outside1 = False
for axis in axes:
mat1 = mathutils.Matrix(ob.matrix_world)
mat=mat1.invert()
orig = mat1*point
count = 0
while True:
location,normal,index = ob.ray_cast(orig,axis*10000.0)
if index == -1: break
count+= 1
orig = location + axis*0.00001
if (count%2 == 0):
outside1 = True
break
axes = [ mathutils.Vector((0,1,0)) ]
outside2 = False
for axis in axes:
mat1 = mathutils.Matrix(ob.matrix_world)
mat=mat1.invert()
orig = mat1*point
count = 0
while True:
location,normal,index = ob.ray_cast(orig,axis*10000.0)
if index == -1: break
count+= 1
orig = location + axis*0.00001
if (count%2 == 0):
outside2 = True
break
outside = outside1 or outside2
return not outside
ob = bpy.context.active_object
M = 512
fileOut = 'D:\images\\maskFile.txt'
fo = open(fileOut , "w")
for n in range(0,M):
for m in range(0,M):
for l in range(0,M):
if pointInsideMesh( mathutils.Vector(((l+1)/M-0.5,(m+1)/M-0.5,(n+1)/M-0.5)), ob ):
fo.write("1")
else:
fo.write("0")
if l < M-1:
fo.write(" ")
fo.write("\n")
fo.write("\n")
fo.close()
任何帮助将不胜感激:)
更新:
import mathutils, numpy, bpy
def pointInsideMesh(point,ob):
return False
ob = bpy.context.active_object
M = 512
fileOut = 'D:\images\\maskFile.txt'
fo = open(fileOut , "w")
for n in range(0,M):
for m in range(0,M):
for l in range(0,M):
if pointInsideMesh( mathutils.Vector(((l+1)/M-0.5,(m+1)/M-0.5,(n+1)/M-0.5)), ob ):
fo.write("1")
else:
fo.write("0")
if l < M-1:
fo.write(" ")
fo.write("\n")
fo.write("\n")
fo.close()
重现问题,但
import mathutils, numpy, bpy
def pointInsideMesh():
return False
ob = bpy.context.active_object
M = 512
fileOut = 'D:\images\\maskFile.txt'
fo = open(fileOut , "w")
for n in range(0,M):
for m in range(0,M):
for l in range(0,M):
if pointInsideMesh():
fo.write("1")
else:
fo.write("0")
if l < M-1:
fo.write(" ")
fo.write("\n")
fo.write("\n")
fo.close()
没有,唯一的区别是在这两个示例的第一个示例中,被测试点(和对象)的位置被传递给函数,而在第二个示例中,没有传递任何参数。在 C++ 中,即使按值传递,在函数内创建的参数副本也会在函数返回时从内存中清除。但是参数在 python 中的传递方式不同,这一定是问题的根源,因为我不太明白它是如何工作的。