2

我的问题不是关于“内存泄漏”,而是关于 node.js(expressjs)应用程序的“内存清除”。

我的应用程序应该在内存中维护一些对象,以便在服务期间进行快速查找。在启动应用程序后暂时(一两天),一切似乎都很好,直到突然我的网络客户端无法查找该对象,因为它已被清除(未定义)。我怀疑 Javascript GC(垃圾收集)。但是,正如您在 psedu 代码中看到的那样,我将对象分配给 node.js 的“全局”变量属性以防止 GC 清除它们。请给我一些线索是什么导致了这个问题。

非常感谢您的好意建议~

我的 node.js 环境是 node.js 0.6.12、expressjs 2.5.8 和 VMWare cloudfoundry 节点托管。

这是我的 app.js 伪代码:

var express = require("express");
var app = module.exports = express.createServer();

// myMethods holds a set of methods to be used for handling raw data.
var myMethods = require("myMethods");

// creates node.js global properties referencing objects to prevent GC from purging them
global.myMethods = myMethods();
global.myObjects = {};

// omited the express configurations

// creates objects (data1, data2) inside the global.myObjects for the user by id.
app.post("/createData/:id", function(req, res) {

    // creates an empty object for the user.
    var myObject = global.myObjects[req.prams.id] = {};

    // gets json data.
    var data1 = JSON.parse(req.body.data1);
    var data2 = JSON.parse(req.body.data2);

    // buildData1 & buildData2 functions transform data1 & data2 into the usable objects.
    // these functions return the references to the transformed objects.
    myObject.data1 = global.myMethods.buildData1(data1);
    myObject.data2 = global.myMethods.buildData2(data2);

    res.send("Created new data", 200);
    res.redirect("/");
});

// returns the data1 of the user.
// Problem occurs here : myObject becomes "undefined" after one or two days running the service.
app.get("/getData1/:id", function(req, res) {

    var myObject = global.myObjects[req.params.id];
    if (myObject !== undefined) {
        res.json(myObject.data1);
    } else {
        res.send(500); 
    }
});

// omited other service callback functions.

// VMWare cloudfoundry node.js hosting.
app.listen(process.env.VCAP_APP_PORT || 3000);
4

3 回答 3

2

任何类型的缓存系统(无论是您自己的产品还是第三方产品)都应该考虑这种情况。您不应依赖内存缓存中始终可用的数据。有太多的事情会导致内存中的数据消失(机器重启、进程重启等等。)

在您的情况下,您可能需要更新代码以查看数据是否在缓存中。如果它不在缓存中,则从持久存储(数据库、文件)中获取它,缓存它,然后继续。

于 2012-06-26T14:03:23.087 回答
2

就像 Haesung 一样,我想保持我的程序简单,没有数据库。和 Haesung 一样,我对 Node.js(和 express)的第一次体验就是观察这种奇怪的清除。虽然我很困惑,但我真的不接受我需要一个存储解决方案来管理一个几百行的 json 文件。对我来说,灯泡时刻是我读到这篇文章的时候

如果你想让一个模块多次执行代码,那么导出一个函数,然后调用那个函数。

取自http://nodejs.org/api/modules.html#modules_caching。所以我在所需文件中的代码从这里改变了

var foo = [{"some":"stuff"}];
export.foo;

到那个

export.foo = function (bar) {
var foo = [{"some":"stuff"}];
return foo.bar;
}

然后它工作得很好:-)

于 2013-05-13T21:02:46.130 回答
0

然后我建议使用文件系统,我认为 4KB 开销对你的目标和硬件来说不是什么大问题。如果您熟悉前端 javascript,这可能会有所帮助https://github.com/coolaj86/node-localStorage

于 2012-06-26T08:20:45.040 回答