1

我正在编写一个http服务器node.js。该Server对象有几个字段,应根据请求发送给客户端。这就是为什么我需要传递status()router.route()- 所以它可以从内部调用(在解析请求之后)并返回更新变量值。问题是当status()被调用时它不会打印字段值,而是对象文字。

构造函数Server如下:

this.server = net.createServer(connectionHandler);  
    this.resourceMap = resourceMap;
    this.rootFolder = rootFolder;
    this.isStarted = false;
    this.startedDate = undefined;
    this.port = undefined;
    this.numOfCurrentRequests = 0;

function status() {
    return {
        "isStarted" : this.isStarted,
        "startedDate" : this.startedDate,
        "port" : this.port,
        "resourceMap" : this.resourceMap,
    };
}

function connectionHandler(socket) {
    console.log('server connected');
    console.log('CONNECTED: ' + socket.remoteAddress +':'+ socket.remotePort);
    socket.setEncoding('utf8');
    socket.on('data',function(data) {
            this.numOfCurrentRequests += 1;
            router.route(status,data,socket,handle,resourceMap,rootFolder);
            });
}

this.startServer = function(port) {
    this.port = port;
    this.isStarted = true;
    this.startedDate = new Date().toString();
    this.server.listen(port, function() {
            console.log('Server bound');
        });
}
}

当从内部调用状态时,router.route()我得到

function status() {
        return {
            "isStarted" : this.isStarted,
            "startedDate" : this.startedDate,
            "port" : this.port,
            "resourceMap" : this.resourceMap,
        };
    }

我理解它的方式函数是变量,因此按值传递。有什么办法可以解决我的问题吗?

谢谢

4

2 回答 2

0

如果我已经清楚地联系到您,您不需要函数指针,但它是结果。所以status应该按如下方式传递:

router.route(status(),data,socket,handle,resourceMap,rootFolder);

最终将传递以下对象:

return {
        "isStarted" : this.isStarted,
        "startedDate" : this.startedDate,
        "port" : this.port,
        "resourceMap" : this.resourceMap,
    }

如您要显示它们,在您的回调中使用以下代码

for(var s in status) {
    console.log(s+" : "+status[s]);
}
于 2012-12-11T11:21:24.850 回答
0

对于像我这样在 Google 搜索中实际上是指“函数指针”的人,这里有一个答案:

承认我们在 app.js 文件中需要一个外部文件:

var _commandLineInterface("./lib/CommandLine")();
var _httpServer = require("./lib/HttpServer")(_commandLineInterface);

然后,在我们的 HttpServer.js 文件中,承认我们想要使用 _commandLineInterface 对象作为 _httpServer 构造函数的参数传递。我们会做:

function HttpServer(_cli){
    console.log(_cli);
}

module.exports = HttpServer;

BZZZZZZZZT!错误。_cli 指针似乎未定义。结束了。一切都丢失了。

好的...这是诀窍:还记得我们的 CommandLine 对象吗?

function CommandLine(){
    ...

    return this;
}

module.exports = CommandLine;

是的。当您不习惯 nodejs 行为时,这很奇怪。

您必须对您的对象说,它必须在构造完成后返回自身。对于习惯于前端 Javascript 行为的人来说,这是不正常的。

因此,当您添加小“返回技巧”时,您将能够从其他对象内部获取指针:

function HttpServer(_cli){
    console.log(_cli); // show -> {Object}
}

希望它能帮助一些像我这样的nodejs新手。

于 2014-03-23T10:29:49.827 回答