1

如果我有一个程序在服务器上运行,哪个会使用更多内存:

a = operation1()

b = operation2()

c = doOperation(a, b)

或直接:

a = doOperation(operation1(), operation2())

编辑:

1:我正在使用 CPython。

2:我问这个问题是因为有时,我喜欢我的代码的可读性,所以不是编写冗长的操作序列,而是将它们拆分为变量。

编辑2:

这是完整的代码:

class Reset(BaseHandler):
@tornado.web.asynchronous
@tornado.gen.engine
def get(self, uri):
    uri = self.request.uri
    try:
        debut = time.time()
        tim = uri[7:]
        print tim
        cod = yield tornado.gen.Task(db.users.find_one, ({"reset.timr":tim})) # this is temporary variable
        code = cod[0]["reset"][-1]["code"] # this one too
        dat = simpleencode.decode(tim, code)
        now = datetime.datetime.now() # this one too
        temps = datetime.datetime.strptime(dat[:19], "%Y-%m-%d %H:%M:%S") # this one too
        valid = now - temps # what if i put them all here
        if valid.days < 2:
            print time.time() - debut # here time.time() has not been set to another variable, used directly
            self.render("reset.html")
        else:
            self.write("hohohohoo")
            self.finish()
    except (ValueError, TypeError, UnboundLocalError):
        self.write("pirate")
        self.finish()

如您所见,有些变量只是暂时有用。

4

2 回答 2

2

如果doOperation()不清除它自己对传入参数的引用,或者创建更多对参数的引用,直到doOperation()完成,这两种方法完全相同。

后者一旦doOperation()完成将使用更少的内存,因为到那时函数的局部变量已被清除。在第一个选项中,因为a并且b仍然持有引用,所以引用计数不会下降到 0。

CPython 使用引用计数来清理任何不再使用的对象;一旦引用计数下降到 0,对象就会自动清理。

如果内存和可读性是一个问题,您可以显式删除引用:

a = operation1()
b = operation2()

c = doOperation(a, b)

del a, b

但请记住,函数内的局部变量会自动清理,因此以下内容也会导致aandb引用被删除:

def foo():
    a = operation1()
    b = operation2()

    c = doOperation(a, b)
于 2013-02-08T14:47:58.587 回答
1

只有当不再引用这些值时,才会回收值占用的内存。仅查看您提供的示例,无法判断何时不再引用这些值,因为我们不知道 doOperation 做什么。

要记住的一件事:赋值从不复制值,因此仅将值分配给名称不会增加内存使用量。

此外,除非您有实际的内存问题,否则不要担心。:)

于 2013-02-08T14:48:59.563 回答