问题
Having these ASP.NET MVC view models:
public class User
{
public string Name { get; set; }
public LabeledEmail LabeledEmail { get; set; }
}
public class LabeledEmail
{
public IList<ContactLabel> Labels;
public IList<ContactEmail> Emails;
}
and Knockout view model like this:
<script type="text/javascript">
$(function() {
ko.applyBindings(viewModel);
$("#profileEditorForm").validate({
submitHandler: function(form) {
if (viewModel.save())
window.location.href = "/";
return false;
}
});
});
var viewModel = {
Name: ko.observable("@Model.Name"),
EmailLabels: ko.observableArray(@Html.Json(Model.LabeledEmail.Labels.Select(l => l.Name)) || []),
Emails: ko.observableArray(@Html.Json(Model.LabeledEmail.Emails) || []),
addEmail: function() {
viewModel.Emails.push(@Html.Json(new ContactEmail()));
},
removeEmail: function(eml) {
viewModel.Emails.remove(eml);
},
saveFailed: ko.observable(false),
// Returns true if successful
save: function() {
var saveSuccess = false;
viewModel.saveFailed(false);
jQuery.ajax({
type: "POST",
url: "@Url.Action("MyAction", "MyController")",
data: ko.toJSON(viewModel),
dataType: "json",
contentType: "application/json",
success: function(returnedData) {
saveSuccess = returnedData.Success || false;
viewModel.saveFailed(!saveSuccess);
},
async: false
});
return saveSuccess;
}
};
</script>
What posts back properly to controller is User.Name
, but User.LabeledEmail
is empty.
I have to flatten the model the way I do in order to be able to use lists separately elsewhere.
I know for fact that viewModel.Emails is populated properly while saving, but User.LabeledEmails is somehow returns null.
It basically comes down to assigning Model.LabeledEmail.Emails
the viewModel.Emails
and the deal will be solved, seems, but I don't know how and cannot find any appropriate examples.
- What is the mistake that I make and
- How to do it properly?
Thank you in advance.
回答1:
Your JSON data structure should match the structure of your C# classes especially the property names. So you need send a JSON which look somewhat like this:
{
Name: 'somename',
LabeledEmail: {
Labels: [ somelements ],
Emails: [ someelements ]
}
}
So change your data: ko.toJSON(viewModel),
:
data: JSON.stringify({
Name: viewModel.Name(),
LabeledEmail: {
Labels: viewModel.EmailLabels(),
Emails: viewModel.Emails()
}
})
Or just use the data in the same structure on both the client and server...
As a side note: Your C# viewmodels need to have properties instead of fields in order to the MVC model binder work correctly:
public class User
{
public string Name { get; set; }
public LabeledEmail LabeledEmail { get; set; }
}
public class LabeledEmail
{
public IList<ContactLabel> Labels { get; set; }
public IList<ContactEmail> Emails { get; set; }
}
来源:https://stackoverflow.com/questions/15273994/knockout-view-model-posts-back-to-asp-net-mvc-partially-how-to-post-back-compl