当尝试添加需要使用params运行另一个函数的回调时,我遇到了一些基本JS函数的问题。
这是我的电子邮件功能:
function sendEmail(template, to, cc, bcc, callback, optional=null){
// Define vars needed
var body = '',
subject = '';
// Based on the template..
switch(template){
case 'privateNote':
// Define the subject
subject = 'Tool Request - Private Note Added';
// Define our body
body += 'Hello, <br /><br />';
body += 'A new private note has been added to Request #' + requestID + '.<br/><br/>';
body += 'To visit the request, click the following link: <a href="' + window.location.protocol + "//" + window.location.host + "/tool/Request2.php?id=" + requestID + '">' + window.location.protocol + "//" + window.location.host + "/tool/Request2.php?id=" + requestID + '</a>.';
body += '<br /><br />';
body += '<em>Message created by ' + userFirst + ' ' + userLast + '</em>';
}
// Send our email
$.ajax({
url: "../resources/Classes/class.email.php",
type: "POST",
cache: false,
data: {
from: "noreply@domain.com",
to: to,
cc: cc,
bcc: bcc,
subject: subject,
body: body
},
error: function(err) {
alert(err.statusText);
},
success: function(data) {
// Handle Callback
callFunction(callback);
}
});
}
// Callbacks
function callFunction(func) {
func();
}
// Reload the page
function refresh(){
location.reload('true');
}
这是我使用该功能的方式:
sendEmail('privateNote', toArray, '', '', refresh, obj);
这一切都正常运作,但我面临一个问题。
有一个部分我需要同时发送两封电子邮件,一部分发送给添加到请求中的人,另一部分则从该请求中删除。
我试图做的是:
var remove = sendEmail('privateNote', toArray, '', '', refresh, obj);
// Trigger Email to those who are added to the request
// However, I was trying to send a the other email with params as a callback instead of refreshing the page.
sendEmail('privateNote', toArray, '', '', remove, obj);
这样做的问题是它似乎同时触发两个而不等待一个完成导致一些异步问题。
有没有办法正确地做到这一点?我知道这可能不是处理电子邮件最漂亮的方式,但到目前为止,只需要处理一封电子邮件,一切都运行正常。
答案 0 :(得分:4)
这会立即调用sendEmail()
函数:
var remove = sendEmail('privateNote', toArray, '', '', refresh, obj);
由于sendEmail()
没有返回任何内容,remove
为undefined
。
要使其成为正确的回调,请将其包装在function()
:
var remove = function() {
sendEmail('privateNote', toArray, '', '', refresh, obj);
}