我正在尝试通过使用 ViewModels 来遵循建议的最佳实践。
在我的论坛应用程序中,我想发布帖子列表,并在屏幕底部添加一个文本框,以便可以发布回复。
所以在我看来,我需要一个 ViewModel 用于 Posts 列表,以及一个 ViewModel 用于要发布的回复(TopicId 和 Content)。
因此,我认为我需要在第三个 ViewModel 中将这两个 ViewModel 组合在一起,并在我的 View 中迭代 ViewModel 的 Posts 部分,然后在底部创建一个表单,其中我有 ViewModel 的回复部分- Postback 只将ReplyViewModel 发送到控制器。
我的视图模型是:
public class PostViewModel
{
public int PostId { get; set; }
public string Title { get; set; }
public string Description { get; set; }
public string Author { get; set; }
public DateTime DateOfTopic { get; set; }
}
public class ReplyViewModel
{
public int TopicId { get; set; }
public string Content { get; set; }
}
public class PostListAndReplyVM
{
public List<PostViewModel> PostViewModel { get; set; }
public ReplyViewModel ReplyViewModel { get; set; }
}
在我的控制器中,我填充 PostViewModel,然后创建一个空的 ReplyViewModel,然后将它们组合到 PostListAndReplyVM 中:
//
// GET: /Post/List/5
public ActionResult List(int id = 0)
{
// Populate PostViewModel
var post = db.Posts.Include(x => x.Topic)
.Select(p => new PostViewModel
{
PostId = p.TopicId,
Title = p.Title,
Description = p.Content,
DateOfTopic = p.DateOfPost,
Author = p.Author
}
).ToList();
// Populate empty ReplyViewModel
ReplyViewModel prvm = new ReplyViewModel();
prvm.Content = "";
prvm.TopicId = id;
// Combine two viewmodels into a third, to send to the controller
PostListAndReplyVM pvm = new PostListAndReplyVM();
pvm.ReplyViewModel = prvm;
pvm.PostViewModel = post;
// Return combined ViewModel to the view
return View(pvm);
}
然后在我看来,我有:
@model IEnumerable<centreforum.Models.PostListAndReplyVM>
<table class="table table-condensed table-striped table-hover table-bordered">
<tr>
<th>
@Html.DisplayNameFor(model => model.PostId)
</th>
....
....
@foreach (var item in Model) {
<tr>
<td>
@Html.DisplayFor(modelItem => item.PostId)
</td>
如何引用PostListAndReplyVM中发布到视图的两个单独的 ViewModel。例如。如果我认为它应该是这样的:
@Html.DisplayFor(modelItem => itemitem.PostViewModel.PostId)
...但这给出了错误:
“centreforum.Models.PostListAndReplyVM”不包含“PostId”的定义,并且找不到接受“centreforum.Models.PostListAndReplyVM”类型的第一个参数的扩展方法“PostId”
对于列表部分:
@foreach (var item in Model.PostViewModel)
...给出以下错误:
“System.Collections.Generic.IEnumerable”不包含“PostViewModel”的定义,并且找不到接受“System.Collections.Generic.IEnumerable”类型的第一个参数的扩展方法“PostViewModel”
我确定我缺少一些简单的东西-感谢您的帮助,
标记