2

在 ASP.NET MVC3 Razor 项目中,我有 2 个模型

public class Post
    {
        public int Id { get; set; }
        public string Title { get; set; }
        public string Contents { get; set; }
        public int Author { get; set; }
    }

 public class Author
    {
        public int Id { get; set; }
        public string Name { get; set; }
        public string Email { get; set; }
    }

Post.AuthorAuthor.Id字段的字段链接

在一个视图中,我需要显示列表

Post.Title
Post.Contents
Author.Name

如何显示加入(来自)两个模型的信息?

注意:我想我需要使用 aViewModel并将视图与IEnumerableList 绑定,但我不知道如何从两个模型中选择数据

4

2 回答 2

3

您可以创建一个视图模型,该模型仅具有您希望在视图上显示的属性

public class PostViewModel
{
        public int Id { get; set; }
        public string Title { get; set; }
        public string Contents { get; set; }
        public string AuthorName { get; set; }

}

您在控制器操作中使用您的数据填充此视图模型,并进行必要的连接

public ActionResult GetAuthorInfor()
{
   var query = //context.Post join with context.Author
               Select new  PostViewModel()
               {
                  Id = post.id,
                  Title = post.title,
                  Contents = post.contents,
                  AuthorName = author.authorname
               }
   return view(query.Single());
}

并创建一个类型化的视图来渲染这个模型。

于 2012-06-28T09:10:02.747 回答
1

模型Post.cs

public class Post
    {
        public int Id { get; set; }
        public string Title { get; set; }
        public string Contents { get; set; }
        public int AuthorID { get; set; }

        public virtual Author Author { get; set; }
    }

模型作者.cs

public class Author
    {
        public int Id { get; set; }
        public string Name { get; set; }
        public string Email { get; set; }
        public virtual ICollection<Post> Posts { get; set; }
    }

DBContext类:

public class SampleDB : DbContext
    {
        public DbSet<Author> Authors{ get; set; }
        public DbSet<Post> Posts{ get; set; }
    }

I.Way(使用直接视图)

你可以像这样在 View 上使用:

 Samp.Models.SampleDB dbPosts = new Samp.Models.SampleDB();
 foreach (var post in dbPosts.Posts.ToList())
 {
   string post_Title = post.title;
   string post_Contents = post.Contents;
   string author_Name = post.Author.Name;
 }

二、方式(通过控制器使用)-推荐-

你可以像这样在控制器上使用:

Samp.Models.SampleDB db = new Samp.Models.SampleDB();

 public ActionResult Index()
 {
   return View(db.Posts.ToList());
 }

在View上使用它:

@model IEnumerable<Samp.Models.Post>


foreach (var post in Model.Posts.ToList())
     {
       string post_Title = post.title;
       string post_Contents = post.Contents;
       string author_Name = post.Author.Name;
     }
于 2012-06-28T09:38:16.977 回答