微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

javascript – 承诺拒绝功能

javascript中如何拒绝承诺?简单地返回新的错误(‘blah’)无法正常工作,错误控制台抛出“.then不是函数”或类似的东西.

所以我包括Promise.jsm然后确实返回Promise.reject(新错误(‘blah’))所以我的问题是:如果我在一个承诺中:那么我不必返回Promise.rject并且可以只返回新的错误

//mainPromise chains to promise0 and chains to promise1
function doPromise(rejectRightAway) {
    if (rejectRightAway) {
        return Promise.reject(new Error('intending to throw mainPromise rejection')); //is this right place to use Promise.reject? //returning just new Error throws in error console,something like: '.then is not a function' and points to the onReject function of mainPromise.then
    }

    promise0.then(
        function () {

            var promise1 = somePromiSEObject;
            promise1.then(
                function () {
                    alert('promise1 success');
                },function (aRejReason) {
                    alert('promise1 rejected ' + aRejReason.message);
                    return new Error('promise1 rejected so through promise0 rej then mainPromise rej'); //want to throw promise1 rejection //ok to just return new Error?
                }
            );
        },function (aRejReason) {
            alert('promise0 rejected with reason = ' + aRejReason.message);
        }
    );

    return promise0;

}

var mainPromise = doPromise();
mainPromise.then(
    function () {
        alert('mainPromise success');
    },function (aRejectReason) {
        alert('mainPromise rejected with reason = ' + aRejectReason.message)
    }
);

我不确定这段代码是否有效,所以我的问题是我如何拒绝—比如什么时候返回Promise.reject(new Error())以及何时只是新的Error()?

解决方法

TL:博士

>为了表示操作的正常完成,返回其结果返回结果.
>为了表示异常,你抛出新的错误(原因)就像在同步代码中一样,promises是安全的.
>可以明确地从链中返回拒绝,但通常是不需要的.

Promises的一大优点是它们可以修复异步代码中的异常处理.

承诺不只是一个<行话>组成顺序monadic DSL< /行话>对并发的抽象 - 它们也是安全的! 在这方面,投掷安全真的很棒,你可以像顺序代码那样行事:

function foo(){
    if(somethingWrong){
        // instead of returning normally,we throw,using the built in exception chain
        // code blocks have. This indicates something unexpected breaking the sequence of cour code
        throw new Error("Something was wrong");
    }
    return "some normal result"; // here we indicate a function terminated normally,// and with which value.
}

节点中的回调使用我发现难看的(错误,结果……)约定.通过promises,您可以再次获得顺序代码错误处理的好处:

somePromise.then(function(){
     if(rejectRightAway){
          throw new Error("rejecting right away...");
     }
     return "some normal result";
})....

看看它与顺序代码有多相似?每当你想要拒绝你从当时的处理程序抛出时,无论何时你想要实现你从当时的处理程序返回.就像在“同步”代码中一样.

所以在你的情况下:

//want to throw promise1 rejection //ok to just return new Error?
return new Error('promise1 rejected so through promise0 rej then mainPromise rej');

完全按照您的直觉想法解决

throw new Error("promise1 rejected so through promise0 rej then mainPromise rej");

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐