8

我目前正在使用 ViewModels 将我的视图与实际的模型结构分开。

例如,我有一个用户持久性实体和一个包含所有信息的 MyProfile ViewModel,用户可以自行更改这些信息。对于从 User 到 MyProfile 的转换,我使用的是 Automapper。

现在,在用户发回他的(更改的)信息后,我需要保存这些信息。但是 ViewModel 中的信息并不完整,当 AutoMapper 从 ViewModel 创建一个 User 持久化实体时,重要的信息就会丢失。

我不想将这些信息暴露给视图层,尤其是隐藏的表单元素。

所以我需要一种将 ViewModel 合并到持久性实体中的方法。我可以使用 AutoMapper 执行此操作,还是必须手动执行此操作?

例子:

我的用户类包含 ID、名字、姓氏、用户名和密码。用户应该只在他的个人资料中编辑他的名字和姓氏。因此,我的 ProfileViewModel 包含 ID、名字和姓氏。从表单回传信息后,Automapper 从传输的 ProfileViewModel 中创建一个 User 对象,在该对象中仅设置 ID、Firstname 和 Lastname。将此实体提供给我的存储库时,我丢失了用户名和密码信息。

4

1 回答 1

12

所以我需要一种将 ViewModel 合并到持久性实体中的方法。我可以使用 AutoMapper 执行此操作,还是必须手动执行此操作?

是的,您可以使用 AutoMapper 做到这一点。例如:

public class Model
{
    public int Id { get; set; }
    public string Name { get; set; }
}

public class ViewModel
{
    public string Name { get; set; }
}

class Program
{
    static void Main()
    {
        // define a map (ideally once per appdomain => usually goes in Application_Start)
        Mapper.CreateMap<ViewModel, Model>();

        // fetch an entity from a db or something
        var model = new Model
        {
            Id = 5,
            Name = "foo"
        };

        // we get that from the view. It contains only a subset of the
        // entity properties
        var viewModel = new ViewModel
        {
            Name = "bar"
        };

        // Now we merge the view model properties into the model
        Mapper.Map(viewModel, model);

        // at this stage the model.Id stays unchanged because
        // there's no Id property in the view model
        Console.WriteLine(model.Id);

        // and the name has been overwritten
        Console.WriteLine(model.Name);
    }
}

印刷:

5
bar

并将其转换为典型的 ASP.NET MVC 模式:

[HttpPost]
public ActionResult Update(MyViewModel viewModel)
{
    if (!ModelState.IsValid)
    {
        // validation failed => redisplay view 
        return View(viewModel);
    }

    // fetch the domain entity that we want to udpate
    DomainModel model = _repository.Get(viewModel.Id);

    // now merge the properties
    Mapper.Map(viewModel, model);

    // update the domain model
    _repository.Update(mdoel);

    return RedirectToAction("Success");
}
于 2012-04-23T07:52:06.370 回答