1

我需要当前模块中其他模块功能的结果。我该怎么做。

模块1.js

         var module2=require('./lib/module2');
         module2.getValue();

现在我希望在 getValue 方法中返回“真”。我怎样才能到达这里。

在其他语言中,以下代码将起作用

var result=module2.getValue();

但是在 node.js 中,我们必须使用回调方法来获取该值。我该怎么做。

模块2.js

exports.getValue=function(){

   console.log('getValue method called.');
   return true;

};

最后我也改变了我的module1代码,但我没有得到这个结果。下面是我更新的module1代码

     var module2=require('./lib/module2');
     module2.getValue();

下面是我的确切代码

服务器.js

     var express = require('express')
   , http = require('http');

     var app = express();

   app.configure(function(){
    app.use(express.static(__dirname + '/public'));
});

   var server = http.createServer(app);

   var io = require('socket.io').listen(server);

    server.listen(8000);

   var cradle=require('cradle');

     new(cradle.Connection)('https://mydomain.iriscouch.com/', 5984, {
                cache: true,
                raw: false
            });


            cradle.setup({
                host: 'mydomain.iriscouch.com',
                cache: true,
                raw: false
              });


              var c = new(cradle.Connection);
              exports.connObj=c;

                 var notifications=require('./lib/Notifications');
                 var notificationId="89b92aa8256cad446913118601000feb";
                 console.log(notifications.getNotificatiosById(notificationId));

通知.js

        var appModule=require('../server');
        var connectionObj=appModule.connObj;
        var db = connectionObj.database('notifications');


        exports.getNotificatiosById=function(notificationId){

        db.get(notificationId, function (err, doc) {
    console.log(doc);//im getting output for this line while running server.js file
        return true;
  });

     };
4

1 回答 1

0

所以你有这个方法:

exports.getNotificatiosById = function (notificationId) {

  db.get(notificationId, function (err, doc) {
    console.log(doc); //im getting output for this line while running server.js file
    return true;
  });

};

有内部回调函数。在这种情况下,不可能getNotificatiosById从内部返回值db.get。您可能应该阅读这篇文章。

我不知道您使用的是哪个数据库系统,但可能在 API 中有一个同步版本,即db.getSync. 然后我们可以做这样的事情:

exports.getNotificatiosById = function (notificationId) {

  return db.getSync(notificationId);

};

但基本上在 NodeJS 中,由于执行脚本的非阻塞方式,我们几乎总是使用(并且想要使用)回调函数。无论您对这些东西了解多少,我都推荐Node.js 简介视频,其中节点的创建者解释了很多。

于 2013-03-21T19:50:06.737 回答