1

我是 MVC 和 EF 的新手。在一些不错的教程之后,我终于创建了我的 POCO 类。

我正在尝试在分层架构中的 POCO 类的帮助下创建 MVC 模型。我的 POCO 类位于名为Entities.

我的 MVC4 应用程序是一个Web引用实体的项目。

我查询数据库并在实体中有内容,并希望将 3-4 个 POCO 类映射到单个模型,以便创建强类型视图。

我不确定如何进行。在这方面帮助我。

4

2 回答 2

2

查看ASP.NET MVC in Action 一书。. 它有一整章专门讨论这个主题。他们建议并展示了如何使用AutoMapper将域实体映射到 ViewModel。

我这里也有一个例子。

在引导程序中:

 Mapper.CreateMap<Building, BuildingDisplay>()
                .ForMember(dst => dst.TypeName, opt => opt.MapFrom(src => src.BuildingType.Name)); 

在控制器中:

  public ActionResult Details(int id)
        {
            var building = _db.Buildings.Find(id);

            if (building == null)
            {
                ViewBag.Message = "Building not found.";
                return View("NotFound");
            }

            var buildingDisplay = Mapper.Map<Building, BuildingDisplay>(building);
            buildingDisplay.BinList = Mapper.Map<ICollection<Bin>, List<BinList>>(building.Bins);

            return View(buildingDisplay);            
        }    
于 2013-04-07T14:05:33.953 回答
2

我以前回答过这种类型的问题,如果你想看,这里是链接

http://stackoverflow.com/questions/15432246/creating-a-mvc-viewmodels-for-my-data/15436044#15436044

但是,如果您需要更多帮助,请告诉我:D 这是您的视图模型

public class CategoryViewModel
{
    [Key]
    public int CategoryId { get; set; }
    [Required(ErrorMessage="* required")]
    [Display(Name="Name")]
    public string CategoryName { get; set; }
    [Display(Name = "Description")]
    public string CategoryDescription { get; set; }
    public ICollection<SubCategory> SubCategories { get; set; }
}

现在用于映射使用 linq 中的投影;

public List<CategoryViewModel> GetAllCategories()
{
    using (var db =new Entities())
    {
        var categoriesList = db .Categories
            .Select(c => new CategoryViewModel() // here is projection to your view model
            {
                CategoryId = c.CategoryId,
                CategoryName = c.Name,
                CategoryDescription = c.Description
            });
        return categoriesList.ToList<CategoryViewModel>();
    };
 }

现在你的控制器;

ICategoryRepository _catRepo;
    public CategoryController(ICategoryRepository catRepo)
    {
        //note that i have also used the dependancy injection. so i'm skiping that
        _catRepo = catRepo;
    }
    public ActionResult Index()
    {
        //ViewBag.CategoriesList = _catRepo.GetAllCategories();
           or
        return View(_catRepo.GetAllCategories());
    }

最后是你的观点;

@model IEnumerable<CategoryViewModel>
@foreach (var item in Model)
{
    <h1>@item.CategoryName</h1>
}
于 2013-04-07T14:09:17.953 回答