不,您不应该使用
class
此处的语法。在这里,您根本不需要创建任何对象,只需对它们调用一个方法即可。如果计划使用相同的
.xhr
,看起来你想找个单身汉
ajaxRequests
. 不要那样做。
只需编写多个函数,并为共享的零件编写辅助函数。例如:
function promiseForXhr(xhr) {
return new Promise((resolve, reject) {
xhr.onload = () => {
if (xhr.status == 200) {
resolve(xhr.response);
} else {
reject(xhr.statusText);
}
};
xhr.onerror = () => {
reject(xhr.statusText);
};
});
}
function deletePostPromise(url, postID) {
const xhr = new XMLHttpRequest();
xhr.open('POST', url, true);
xhr.setRequestHeader('Content-type', 'application/x-www-form-urlencoded');
xhr.send(postID);
return promiseforXhr(xhr);
}
function submitPost(url, user_id, user_name, content) {
const xhr = new XMLHttpRequest();
xhr.open('POST', url, true);
xhr.setRequestHeader('Content-type', 'application/x-www-form-urlencoded');
xhr.send(user_id, user_name, content);
return promiseforXhr(xhr);
}
function returnNewestPost(url) {
const xhr = new XMLHttpRequest();
xhr.open('GET', url, true);
xhr.send();
return promiseforXhr(xhr).then(JSON.parse);
}
现在,如果您觉得这还不够干,只需使用更多的辅助功能。您可以将其参数化或使用不同的功能:
function getFormXhr(url) {
const xhr = new XMLHttpRequest();
xhr.open('POST', url, true);
xhr.setRequestHeader('Content-type', 'application/x-www-form-urlencoded');
return xhr;
}
function deletePostPromise(url, postID) {
const xhr = getFormXhr(url);
xhr.send(postID);
return promiseforXhr(xhr);
}
function submitPost(url, user_id, user_name, content) {
const xhr = getFormXhr(url);
xhr.send(user_id, user_name, content);
return promiseforXhr(xhr);
}
或更进一步
function getXhrPromise({url, method, headers={}, sendArgs=[]}) {
const xhr = new XMLHttpRequest();
xhr.open(method, url, true);
for (const h in headers)
xhr.setRequestHeader(h, headers[h]);
xhr.send(...sendArgs);
return promiseForXhr(xhr);
}
formRequest(url, ...sendArgs) {
return {
url,
method: "POST",
headers: {'Content-type': 'application/x-www-form-urlencoded'},
sendArgs
};
}
function deletePostPromise(url, postID) {
return getXhrPromise(formRequest(url, postID));
}
function submitPost(url, user_id, user_name, content) {
return getXhrPromise(formRequest(url, user_id, user_name, content));
}
function returnNewestPost(url) {
return getXhrPromise({
url,
method: "GET"
}).then(JSON.parse);
}