我正在使用Knockout.js 2.0并且我正在尝试通过添加一个计算的observable来扩展我创建的构造函数的原型,但它抛出“self.IsSubDomain不是函数”。我该如何解决这个错误?有没有其他方法来扩展构造函数来解决这个问题?
http://jsfiddle.net/StrandedPirate/J44S4/3/
注意:我知道我可以在构造函数的闭包中定义计算的observable,但是我正在为挖空视图模型构建一个自动代码生成器,我需要能够通过prototype属性扩展我的对象。
答案 0 :(得分:5)
我也是answered this in the forum。
这是一种方法(jsFiddle example):
<div data-bind="text: fullDomainName">test</div>
<script>
function SiteModel(rootUrl, data) {
var self = this;
self.rootUrl = rootUrl;
self.DomainName = ko.observable(data.DomainName);
self.IsSubDomain = ko.observable(data.IsSubDomain);
self.fullDomainName = ko.computed(self.fullDomainName, self);
}
SiteModel.prototype.fullDomainName = function () {
if (this.IsSubDomain() && this.DomainName()) { // bombs out here with "self.IsSubDomain is not a function"
return this.DomainName() + ".myCompanyWebsite.com";
}
else {
return this.DomainName();
}
};
var temp = new SiteModel("someurl", { DomainName: "extraCool" });
ko.applyBindings(temp);
</script>
我已经在原型中定义了函数并使其成为计算函数 在构造函数中可观察。
以下是一种更通用的方法(jsFiddle example):
<div data-bind="text: fullDomainName">test</div>
<script>
Function.prototype.computed = function() {
this.isComputed = true;
return this;
};
Object.prototype.makeComputeds = function() {
for (var prop in this) {
if (this[prop] && this[prop].isComputed) {
this[prop] = ko.computed(this[prop], this, {deferEvaluation:true});
}
}
};
function SiteModel(rootUrl, data) {
var self = this;
self.rootUrl = rootUrl;
self.DomainName = ko.observable(data.DomainName);
self.IsSubDomain = ko.observable(data.IsSubDomain);
self.makeComputeds();
}
SiteModel.prototype.fullDomainName = function () {
if (this.IsSubDomain() && this.DomainName()) { // bombs out here with "self.IsSubDomain is not a function"
return this.DomainName() + ".myCompanyWebsite.com";
}
else {
return this.DomainName();
}
}.computed();
var temp = new SiteModel("someurl", { DomainName: "extraCool" });
ko.applyBindings(temp);
</script>
计算的基础读取函数将通过原型共享 虽然实际的计算属性不会。我想可能会有 如果您创建了一些对象然后更改了函数,则会产生混淆 原型。新对象将使用新函数,但使用旧对象 不会。
由于计算的observable是属性,你不应该期望 能够通过原型将它们添加到现有对象。