我来自C#环境,我们有INotifyPropertyChanged接口。订阅此属性更改事件时,会收到发件人和属性名称。发件人是此示例中的ViewModel。我想要与KnockoutJS有类似的东西。我尝试订阅并将函数实例存储到一个哈希表,该哈希表包含一个带有ViewModel和PropertyName参数的对象。因为observable中的新值不足以满足我想要使用该事件的目的。
如何使用与C#的INotifyPropertyChanged类似的方式创建KO代码?
这是我写的一些废话,告诉你我付出了一些努力。但我在这里失败了。
var propertyChangedHashTable = new Hashtable();
function PropertyChanged(newValue) {
console.log(this);
var changedEventParams = propertyChangedHashTable[this];
console.log(changedEventParams);
//gateway.propertyChanged(changedEventParams.viewModel, changedEventParams.propertyName, newValue);
};
function subscribePropertyChanged(viewModel, objectPath) {
if (typeof objectPath === "undefined" || objectPath == null) objectPath = "";
if (objectPath.length !== 0) objectPath += '.';
var observable = ko.observable("").toString();
for (var propertyName in viewModel) {
var viewModelName = viewModel.__proto__.constructor.name;
var localObjectPath = objectPath + viewModelName;
var property = viewModel[propertyName];
if (propertyName.indexOf("ViewModel") !== -1) {
subscribePropertyChanged(property, localObjectPath);
continue;
}
var isObservable = property.toString() === observable.toString();
if (!isObservable) continue;
var propertyChangedFunc = PropertyChanged;
propertyChangedHashTable.put(propertyChangedFunc, 'test');
property.subscribe(propertyChangedFunc);
}
}
function MainViewModel() {
var self = this;
self.isRecording = ko.observable(false);
self.dataDirectory = ko.observable("C:\\Temp\\Recordings");
self.toggleIsRecording = function() {
self.isRecording(!self.isRecording());
};
}
var viewModel = new MainViewModel();
subscribePropertyChanged(viewModel);
答案 0 :(得分:1)
来自淘汰赛docs:
subscribe函数接受三个参数:callback是每当通知发生时调用的函数,target(可选)在回调函数中定义this的值,以及event(可选;默认为"更改&#34 ;)是接收通知的事件的名称。
因此,如果您提供ViewModel作为第二个参数" target"到subscribe()
您可以在处理程序中以this
的形式访问它。例如:
<p data-bind="text: counter"></p>
<button data-bind="click: buttonClicked">Increment</button>
<script type="text/javascript">
var ViewModel = function() {
this.counter = ko.observable(0);
this.buttonClicked = function() {
this.counter(this.counter() + 1);
};
this.counter.subscribe(function(newValue) {
console.log(newValue);
console.log(this);
}, this);
};
ko.applyBindings(new ViewModel());
</script>