我正在使用 RESTful API,我的 Javascript 代码正在通过 jQuery 的 $.ajax() 调用进行 REST 查询。
我已经实现了一个 javascript Rest 类,我将在下面展示(非常简化):
var Rest = function (baseUrlPath, errorMessageHandler) {
...
};
// Declare HTTP response codes as constants
Rest.prototype.STATUS_OK = 200;
Rest.prototype.STATUS_BAD_REQUEST = 400;
... // other rest methods
Rest.prototype.post = function (params) {
$.ajax({
type: 'POST',
url: params.url,
data: params.data,
dataType: 'json',
contentType: 'application/json; charset=utf-8',
beforeSend: this._authorize,
success: params.success,
error: params.error || this._getAjaxErrorHandler(params.errorMessage)
});
};
... // more rest methods
Rest.prototype.executeScenario = function (scenarioRef) {
var self = this;
this.post({
url: 'myurlgoeshere',
data: 'mydatagoeshere',
success: function (data, textStatus, xhr) {
if (xhr.status == 200) {
console.log("everything went ok");
}
},
error: function (xhr, textStatus, errorMsg) {
// TODO: constants
if (404 == xhr.status) {
self.errorMessageHandler("The scenario does not exist or is not currently queued");
} else if (403 == xhr.status) {
self.errorMessageHandler("You are not allowed to execute scenario: " + scenarioRef.displayName);
} else if(423 == xhr.status) {
self.errorMessageHandler("Scenario: " + scenarioRef.displayName + " is already in the queue");
}
}
});
};
代码按预期工作,但是我决定添加一些常量来帮助美化代码并提高可读性。例如,我的代码中有几个地方正在检查 xhr.status == 200 或 xhr.status == 400 等等。
我可以将类变量声明为Rest.prototype.STATUS_OK = 200;
但是变量是可编辑的,我想不出如何使它们保持不变。例如,在我的代码中,我可以执行 a this.STATUS_OK = 123;
,这将修改变量。我玩过 const 关键字,但没有运气。
我已经看到了:在哪里声明类常量?,但这并没有太大帮助。
有人可以指出我如何使这些字段成为常量文字而不是变量的正确方向吗?