我想构建一个基于结果调用某些事件处理程序的函数,就像jQuery的$.ajax()
一样。例如,您可以定义以下ajax代码:
$.ajax(
{
url: "http://domainname.tld",
type: 'GET'
}).done(function(e)
{
//succed
}).fail(function(e)
{
//error
});
我想得到这些
.done(function(e)
{
//succed
}
块与我的功能一起工作。目前,我做这样的事情:
function SendRequest(arg1, arg2, onSuccess, onError)
{
if(true)
{
onSuccess(true);
}
else
{
onError(false);
}
}
不得不这样称呼它
SendRequest("someArg1", "someArg2", function(returnValue) { alert(returnValue); }, function(returnValue) { alert(returnValue); });
并想这样称呼它:
SendRequest("someArg1", "someArg2")
.onSuccess(
function(returnValue)
{
alert(returnValue);
})
.onError(function(returnValue)
{
alert(returnValue);
});
感谢您指出正确的方向!
最佳答案
感谢@arun-p-johny和@hindmost为我提供了正确的关键字以进行搜索并最终解决了我的问题!
阅读this很棒的文章后,我想到了以下解决方案:
function AsyncMethod(arg1, arg2)
{
var deferred = $.Deferred();
//Do your work
if(arg1 == arg2)
{
// true represents the result, optional
deferred.resolve(true);
}else{
// Something went wrong, reject. (false is still the result, therefor it's also optional)
deferred.reject(false);
}
return deferred.promise();
}
并这样称呼它:
$.when(
AsyncMethod(true, false)
.done(function (returnValue)
{
alert(arg1 + " == " + arg2);
})
.fail(function (returnValue)
{
alert(arg1 + " != " + arg2);
});
);