16

我想知道如何在 V8 中管理内存。看看这个例子:

function requestHandler(req, res){
  functionCall(req, res);
  secondFunctionCall(req, res);
  thirdFunctionCall(req, res);
  fourthFunctionCall(req, res);
};

var http = require('http');
var server = http.createServer(requestHandler).listen(3000);

和变量在每个函数调用中传递,我的问题是reqres

  1. V8 是通过引用传递它还是在内存中复制?
  2. 是否可以通过引用传递变量,看这个例子。

    var args = { hello: 'world' };
    
    function myFunction(args){
      args.newHello = 'another world';
    }
    
    myFunction(args);
    console.log(args);
    

    最后一行,console.log(args);将打印:

    "{ hello: 'world', newWorld: 'another world' }"
    

感谢您的帮助和回答:)

4

1 回答 1

25

这不是通过引用传递的意思。通过引用传递将意味着:

var args = { hello: 'world' };

function myFunction(args) {
  args = 'hello';
}

myFunction(args);

console.log(args); //"hello"

以上是不可能的。

变量只包含对对象的引用,它们不是对象本身。因此,当您传递作为对象引用的变量时,该引用当然会被复制。但是引用的对象没有被复制。


var args = { hello: 'world' };

function myFunction(args){
  args.newHello = 'another world';
}

myFunction(args);
console.log(args); // This would print:
    // "{ hello: 'world', newHello: 'another world' }"

是的,这是可能的,您可以通过简单地运行代码来查看它。

于 2012-08-12T15:52:21.743 回答