12

我们一直在尝试让 Editor-Template 与动态属性一起工作 - 无济于事。也许你们中的一个可以帮助我们。

我们的课程大致如下:

public class Criterion
{
    ...
    public string Text { get; set; }
    public dynamic Value { get; set; }
    public Type Type { get; set; }
    ...
}

我们的 razor 视图获得了一个模型,其中包含一个部分列表,每个部分都包含一个标准列表。(我们在运行时获得这些信息。)所有这些标准都应该在编辑模式下显示 - 关于它们的实际类型:(摘录)

@for (int i = 0; i < model.Sections.Count(); i++)
{
    for (int j = 0; j < model.Sections[i].Criteria.Count(); j++)
    {
        var criterion = model.Sections[i].Criteria[j];
        var type = criterion.Type.Name;
        var name = "Sections[" + i + "].Criteria[" + j + "].Value";
        var criterionDisplayName = criterion.Text;
        <label for="Sections_@(i)__Criteria_@(j)__Value">@criterionDisplayName</label>
        @Html.Editor(name, type)
    }
}

例如,这确实正确显示了一个复选框,但它不使用该值来正确设置复选框状态(检查条件。值是否为真)。其他类型也是如此,例如ints. (它确实在 POST 请求后正确填写表单,但那是因为 MVC 使用临时模型来重新创建用户输入。)

正如我们所尝试和研究的那样:是否可以使用带有 type 属性的 Editor 模板dynamic?如果是 - 我们怎样才能让它发挥作用?(我们不希望根据可能的类型来辨别。我们希望 MVC 框架根据实际类型使用正确的 Editor 模板。)

4

1 回答 1

17

动态不适合 ASP.NET MVC 的要求。它们让我想起ViewBag并且我讨厌ViewBag我身体的深层结构。所以我会采取不同的方法。

让我们以以下模型为例:

public class Criterion
{
    public string Text { get; set; }
    public object Value { get; set; }
}

值可以是您希望处理的任何类型。

现在您可以拥有一个填充此模型的控制器:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        var model = new[]
        {
            new Criterion { Text = "some integer", Value = 2 },
            new Criterion { Text = "some boolean", Value = true },
            new Criterion { Text = "some string", Value = "foo" },
        };
        return View(model);
    }
}

然后是相应的视图:

@model IList<Criterion>

@using (Html.BeginForm())
{
    for (int i = 0; i < Model.Count; i++)
    {
        <div>
            @Html.LabelFor(x => x[i], Model[i].Text)
            @Html.EditorFor(x => x[i].Value, "Criterion_" + Model[i].Value.GetType().Name)
        </div>
    }

    <button type="submit">OK</button>
}

现在,对于您要处理的每种类型,您都可以定义一个相应的编辑器模板:

~/Views/Shared/EditorTemplates/Criterion_String.cshtml

@model string
@Html.TextBoxFor(x => x)

~/Views/Shared/EditorTemplates/Criterion_Boolean.cshtml

@model bool
@Html.CheckBoxFor(x => x)

~/Views/Shared/EditorTemplates/Criterion_Int32.cshtml

@model int
@{
    var items = Enumerable
        .Range(1, 5)
        .Select(x => new SelectListItem 
        { 
            Value = x.ToString(), 
            Text = "item " + x 
        });
}

@Html.DropDownListFor(x => x, new SelectList(items, "Value", "Text", Model))

显然在视图中显示这个模型只是第一步。我想您会想要获取用户在 POST 控制器操作中输入的值以进行某些处理。在这种情况下,一些小的调整是必要的。我们需要添加一个自定义模型绑定器,它能够在运行时实例化正确的类型,并将具体类型作为每行的隐藏字段包含在内。我已经在this post. 另请注意,在此示例中,我使用了基类而不是直接使用object类型。

于 2012-07-15T08:16:00.887 回答