我正在使用node-soap与基于外部soap的API集成。使用此库,将在运行时基于WSDL创建客户端对象。因此,soap客户端对象在设计时无效。这是尝试使用Q promise库的问题。在定义之前,Q库过早地绑定/评估方法调用。以下是要说明的代码段。
这是使用承诺链的客户端代码:
innotas.login(user,pass)
.then(innotas.getProjects())
.then(function () {
console.log('finished');
});
这是login()的服务代码段,工作正常。
this.login = function login (user, password) {
var deferred = q.defer();
// some stuff here
return self.createClient()
.then(function () {
self.innotasClient.login({ username: self.innotasUser, password: self.innotasPassword }, function(err, res) {
if (err) {
console.log('__Error authenticating to service: ', err);
deferred.reject(err);
} else {
self.innotasSessionId = res.return;
console.log('Authenticated: ', self.innotasSessionId);
deferred.resolve();
}
});
});
};
这就是问题所在。 self.innotasClient.findEntity在CreateClient()
之后才存在this.getProjects = function getProjects (request) {
// initiation and configuration stuff here
// CALL WEB SERVICE
self.innotasClient.findEntity(req, function findEntityCallback (err, response) {
if (err) {
deferred.reject(err);
} else {
deferred.resolve(response);
}
})
return deferred.promise;
// alternate form using ninvoke
return q.ninvoke(self.innotasClient, 'findEntity', req).then(function (response) {
// stuff goes here
}, function (err) {
// err stuff goes here
})
}
这是运行时错误:
self.innotasClient.findEntity(req, function findEntityCallback (err, r
^
TypeError: Cannot call method 'findEntity' of null
at getProjects (/Users/brad/Workspaces/BFC/InnotasAPI/innotas.js:147:28)
at Object.<anonymous> (/Users/brad/Workspaces/BFC/InnotasAPI/app.js:13:15)
at Module._compile (module.js:456:26)
at Object.Module._extensions..js (module.js:474:10)
此代码适用于回调。知道如何使用promise库吗?
答案 0 :(得分:2)
Q库在定义之前过早地绑定/评估方法调用
不 - 你是:</ p>
innotas.login(user,pass) .then(innotas.getProjects())
在将结果传递到getProject()
方法之前,您需要调用then
。但是,then
确实需要一个回调函数,当promise被解析时将会调用该函数。你会用
innotas.login(user,pass).then(function(loginresult) {
innotas.getProjects()
})
如果客户端在createClient
方法产生之前不存在,则客户端应该是该函数的结果 - 让它返回客户端的承诺!
你的lib应该是这样的:
this.login = function login (user, password) {
// some stuff here
return self.createClient().then(function(client) {
return Q.ninvoke(client, "login", {
username: self.innotasUser,
password: self.innotasPassword
}).then(function(res) {
self.innotasSessionId = res.return;
console.log('Authenticated: ', self.innotasSessionId);
return client;
}, function(err) {
console.log('__Error authenticating to service: ', err);
throw err;
});
});
};
this.getProjects = function getProjects (client) {
// initiation and configuration stuff here
// CALL WEB SERVICE
return q.ninvoke(client, 'findEntity', req).then(function (response) {
// stuff goes here
}, function (err) {
// err stuff goes here
});
};