Datapower中的Javascript范围(GatewayScript)

时间:2016-09-16 08:46:15

标签: javascript scope ibm-datapower

我是Datapower Gateway脚本(和Javascript)的新手,以下情况让我很困惑。看:

var inputJson = "default";

//Reading json from input and covert it to string
session.input.readAsJSON( function ( error, json) {
    if ( error ) {
        session.reject( 'Input is not a valid JSON document' );
        return;
    }
    inputJson = JSON.stringify(json);
    console.debug("Inside: ", inputJson);
});

console.debug("Outside ", inputJson);

在Datapower控制台中将遵循:

“Inside:{long json string}”

“外部:默认”

这完全打破了我的想法,扭曲了我对变量范围的了解。是javascript,datapower脚本实现的功能还是什么?

UPD。还有另一个大脑破碎的事情:

function getFile(options){
    var file="default";
    urlopen.open(options,function(error, response){
        if(error){
            console.error("Unable to find file: "+JSON.stringify(error));
        }else{
            if(response.statusCode==200){
                response.readAsBuffer(function(error, responseData){
                    if(error){
                        console.error("Unable to open file: "+JSON.stringify(error));
                    }else{
                        console.error("Before: ", file);
                        file=responseData.toString('ascii');
                        console.error("After: ", file);
                    }
                });
            }else{
                console.error("Unable to open file: "+response.statusCode);
            }
        }
    });
    return file;
}
console.error("Func result: ", getFile(openSchemaOptions));

控制台结果:

  1. “Func result:default”(sic!)

  2. “之前:默认”

  3. “之后: - json string - ”

  4. 如何在函数执行之前打印函数结果?!

1 个答案:

答案 0 :(得分:2)

因为session.input.readAsJson();将需要更多时间来执行。如果我们在这段代码中编号顺序执行事件:

// 1. functions and vars are moved automatically to the top by the js interpreter in your browser. So this is first
var inputJson = "default";

// 2. a function gets called passing another function as parameter => the callback function of readAsjson
session.input.readAsJSON(
    // 4. the callback function gets executed
    function ( error, json) {
        if ( error ) {
            session.reject( 'Input is not a valid JSON document' );
            return;
        }

        // 5. only executed if no error occured
        inputJson = JSON.stringify(json);
        console.debug("Inside: ", inputJson);
    }
);

// 3. the console output of inputJson, which was put on 'default'
console.debug("Outside ", inputJson);

这是javaScript的特色,因为只有函数范围。您不能指望readAsJSON()内的函数参数在console.debug“outside”之前执行。

将它与投掷2个回旋镖相比较,但第一个需要更多时间才能返回。

可以重写类似的行为:

function doMyJSON(json){
    // do stuff with json
    console.log(json);
}

function getMyJSON(error, json){
    if ( error ) { return; }
    doMyJSON(json);
}

session.input.readAsJSON(getMyJSON);