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

両方のモデルを(から)結合する情報を表示するにはどうすればよいですか?

注:ViewModelを使用してビューをリストにバインドする必要があると思いIEnumerableますが、両方のモデルからデータを選択する方法がわかりません

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; }
    }

モデルAuthor.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(直接ビューを使用)

あなたはこのようにビューで使用することができます:

 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;
 }

II.Way(コントローラー経由で使用)-推奨-

あなたはこのようにコントローラーで使うことができます:

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

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

ビューでこれを使用する:

@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 に答える