NodeJS NPM soap-如何在没有回调的情况下链接异步方法(即使用异步或Promise)?

时间:2019-06-28 06:34:33

标签: javascript node.js soap

我已经使用nodejs / javascript成功调用了一系列肥皂网络服务方法,但是使用回调...现在看起来像这样:

soap.createClient(wsdlUrl, function (err, soapClient) {
    console.log("soap.createClient();");
    if (err) {
        console.log("error", err);
    }
    soapClient.method1(soaprequest1, function (err, result, raw, headers) {
        if (err) {
            console.log("Security_Authenticate error", err);
        }
        soapClient.method2(soaprequest2, function (err, result, raw, headers) {
                if (err) {
                    console.log("Air_MultiAvailability error", err);
                }
                //etc... 
        });
    });

});

我正在尝试使用Promise或async达到更清洁的效果,类似于(基于此处https://www.npmjs.com/package/soap文档中的示例):

var soap = require('soap');

soap.createClientAsync(wsdlURL)
    .then((client) => {
        return client.method1(soaprequest1);
    })
    .then((response) => {
        return client.method2(soaprequest2);
    });//... etc

我的问题是,在后一个示例中,soap客户端在第一次调用后不再可访问,并且通常返回“未定义”错误...

是否有一种“干净”的方式通过这种链接携带物体,以便在后续调用中使用/访问?

2 个答案:

答案 0 :(得分:6)

使用async/await语法。

const soap = require('soap');

(async () => {
const client = await soap.createClientAsync(wsdlURL);
cosnt response = await client.method1(soaprequest1);
await method2(soaprequest2);
})();

答案 1 :(得分:1)

为了使承诺链保持平坦,您可以将soap实例分配给外部作用域中的变量:

let client = null;

soap.createClientAsync(wsdlURL)
  .then((instance) => {
    client = instance
  })
  .then(() => {
    return client.method1(soaprequest2);
  })
  .then((response) => {
    return client.method2(soaprequest2);
  });

另一个解决方案是在客户端解析之后嵌套的链式方法调用:

soap.createClientAsync(wsdlURL)
  .then((client) => {
    Promise.resolve()
      .then(() => {
        return client.method1(soaprequest2);
      })
      .then((response) => {
        return client.method2(soaprequest2);
      });
  })