MVC视图模型继承和创建动作

本文关键字:创建 继承 视图 模型 MVC | 更新日期: 2023-09-27 18:16:53

我正在努力找出在MVC应用程序中处理模型类型层次结构的最佳体系结构。

给定以下假设模型-

public abstract class Person
{
    public string Name { get; set; }
}
public class Teacher : Person
{
    public string Department { get; set; }
}
public class Student : Person
{
    public int Year { get; set; }
}

我可以为每个类型创建一个控制器。Person将只有使用显示模板的视图的索引和细节操作,Teacher和Student将只有Create/Edit操作。这将工作,但似乎浪费和不会真正扩展,因为如果另一个类型被添加到层次结构中,将需要一个新的控制器和视图。

是否有一种方法可以在Person控制器中创建更通用的Create/Edit动作?我已经搜索了一段时间的答案,但似乎无法找到我正在寻找的东西,所以任何帮助或指针将不胜感激:)

MVC视图模型继承和创建动作

当然可以,但是这需要一些跑腿的工作。

首先,在您的每个编辑/创建视图中,您需要发出您正在编辑的模型的类型。

其次,您需要为person类添加一个新的模型绑定器。下面是一个示例,说明我为什么要这样做:

public class PersonModelBinder :DefaultModelBinder
{
    protected override object CreateModel(ControllerContext controllerContext, ModelBindingContext bindingContext, Type modelType)
    {
        PersonType personType = GetValue<PersonType>(bindingContext, "PersonType");
        Type model = Person.SelectFor(personType);
        Person instance = (Person)base.CreateModel(controllerContext, bindingContext, model);
        bindingContext.ModelMetadata = ModelMetadataProviders.Current.GetMetadataForType(() => instance, model);
        return instance;
    }
    private T GetValue<T>(ModelBindingContext bindingContext, string key)
    {
        ValueProviderResult valueResult =bindingContext.ValueProvider.GetValue(key);
        bindingContext.ModelState.SetModelValue(key, valueResult);
        return (T)valueResult.ConvertTo(typeof(T));
    }  
}

注册到你的应用开始:

ModelBinders.Binders.Add(typeof(Person), new PersonModelBinder());

PersonType是我倾向于在每个模型中使用的,并且是一个枚举,表示每种类型是什么,我在HiddenFor中发出它,以便它与post数据一起返回。

SelectFor是一个返回指定enum类型的方法

public static Type SelectFor(PersonType type)
    {
        switch (type)
        {
            case PersonType.Student:
                return typeof(Student);
            case PersonType.Teacher:
                return typeof(Teacher);
            default:
                throw new Exception();
        }
    }

现在可以在控制器

中做这样的操作
public ActionResult Save(Person model)
{
    // you have a teacher or student in here, save approriately
}

Ef可以通过TPT样式继承非常有效地处理这个问题

只是为了完成这个例子:

public enum PersonType
{
    Teacher,
    Student    
}
public class Person
{ 
    public PersonType PersonType {get;set;}
}
public class Teacher : Person
{
    public Teacher()
    {
        PersonType = PersonType.Teacher;
    }
}