3

现在,如果我知道模型的名称和值,我可以显示和更新模型。例如,这是我的学生模型:

public class Student
{
    public string Name { get; set; }
    public bool Sex { get; set; }
    public bool Address { get; set; }
}

而且,这是我的观点:

@Html.TextBoxFor(model => model.Name)
@Html.TextBoxFor(model => model.Sex)
@Html.TextBoxFor(model => model.Address)

我想展示和更新一个模型,但我不知道它有多少属性以及它们的名称和值是什么。例如,如果我将 Fruit 模型返回到视图,我将需要显示和更新其属性,例如价格或重量。如果我返回一个学生模型,我需要显示和更新名称、性别和地址等属性。我的项目中有十多个模型。我的老板说我可以这样使用key和value Dictionary<string,string>,并遍历模型属性,但我不知道该怎么做。

4

1 回答 1

1

这是一个简单的例子,展示了如何使用动态模型来做到这一点。

首先,我设置了几个类来表示您在上面提供的模型的不同示例:

public class Student
{
    public string Name { get; set; }
    public string Sex { get; set; }
    public string Address { get; set; }
}

public class Fruit
{
    public decimal Price { get; set; }
    public decimal Weight { get; set; }
}

DisplayTemplate接下来,我为每种类型创建了一个,如下所示:

@model Fruit

<p>Fruit template</p>

@Html.DisplayFor(m => m.Price)
@Html.DisplayFor(m => m.Weight)

@model Student

<p>Student template</p>

@Html.DisplayFor(m => m.Name)
@Html.DisplayFor(m => m.Sex)
@Html.DisplayFor(m => m.Address)

现在是有趣的部分。我创建了一个视图模型来保存动态模型,同时还提供了一个字段来获取模型的基础类型:

public class ViewModel
{
    public dynamic Model { get; set; }
    public Type ModelType { get; set; }
}

这允许我们做两件事:

  1. 将任意类型分配给Model.
  2. ModelType用作控制DisplayTemplate应该为模型调用的方法。

因此,您的视图将如下所示:

@model ViewModel

@Html.DisplayFor(m => m.Model, Model.ModelType.ToString())

如您所见,这种重载Html.DisplayFor允许我们指定模板名称,也就是第二个参数所代表的内容。

最后,我创建了一个快速操作方法来测试它。

首先,对于Student类型:

public ActionResult Index()
{
    var model = new ViewModel();
    model.ModelType = typeof(Student);
    model.Model = new Student { Name = "John", Sex = "Male", Address = "asdf" };

    return View(model);
}

其次,对于Fruit类型:

public ActionResult Index()
{
    var model = new ViewModel();
    model.ModelType = typeof(Fruit);
    model.Model = new Fruit { Price = 5, Weight = 10 };

    return View(model);
}

两者都给出了所需的输出。

于 2013-10-01T16:04:13.490 回答