我在使用淘汰赛提交表格时遇到了麻烦。
我收到错误“传递一个返回ko.computed值的函数。”
代码如下:
(function(records,$,undefined){
records.models={
student:function(data){
var self=this;
self.id=ko.observable(data.id);
self.fname=ko.observable(data.fname);
self.lname=ko.observable(data.lname);
if(data.initial==='undefined'||data.initial===null){
self.initial=ko.observable("");
}else{
self.initial=ko.observable(data.initial);
}
self.fullname=ko.computed(function(){
return self.fname()+" "+" "+self.initial()+" "+self.lname();
});
},
students_model:function(){
var self=this;
self.selectedStudent=ko.observable();
self.students=ko.observableArray([]);
getStudents();
self.save=function(){
var form=$("#student-form");
$.ajax({
type:"POST",
url:"/Student/create",
data:ko.toJSON(form[0]), //This line here is the exact point of failue
success:function(response){
records.general.handleSuccess(response);
if(response.status){
getStudents();
}
}
});
return false;
};
function getStudents(){
$.getJSON("/Student/data",function(result){
var mapped=$.map(result,function(item){
return new records.models.student(item);});
self.students(mapped);
});
}
}
};
return records;
}(window.records=window.records||{},jQuery));
@using (Ajax.BeginForm("Create", "Student",
new AjaxOptions
{
HttpMethod = "Post"
},
new { @class = "student-form", name = "student-form", id = "student-form" }))
{
<input type="text" data-bind="value:$root.fname" id="student.fname" name="student.fname" />
<input type="text" data-bind="value:$root.lname" id="student.lname" name="student.lname"/>
<input type="text" data-bind="value:$root.initial" id="student.initial" name="student.initial"/>
<input type="text" data-bind="value:$root.dob" id="dob" name="dob" />
<button data-bind="click:save">Save</button>
}
<script type="text/javascript">
ko.applyBindings(new records.models.students_model());
</script>
我在这里做错了什么?我在这里知道这个问题:Pass a function that returns the value of the ko.computed 但似乎这个人有一个不同的问题。在save方法中启动时,我的代码失败。特别是这一行:
data:ko.toJSON(form[0])
答案 0 :(得分:3)
ko.toJSON
期望你将它传递给你的viewModel,但是你从DOM传递了一个元素,因此错误。
您需要将javascript对象(viewmodel或viewmodel的一部分)传递给ko.toJSON
。例如,如果你想发送学生数组,你可以这样做:
ko.toJSON(self.students);
我看到您的表单有一些绑定到$root.fname
,$root.lname
,$root.initial
和$root.dob
的输入,但我不确定您的视图模型中存在哪些输入,所以我无法确切地告诉你要通过什么。但我可以举一个例子说明一种可以解决这个问题的方法。
如果你有一个如下所示的viewmodel:
var data = ...;
var vm = {
newStudent : {
fname : ko.observable(data.fname),
lname: ko.observable(data.lname),
initial: ko.observable(data.initial ?? ""),
dob: ko.observable(data.dob)
}
}
然后通过调用
将其绑定到你的domko.applyBindings(vm);
然后你可以这样打电话给ko.toJSON
:
...
data:ko.toJSON(vm.newStudent),
...