7

所以我正在尝试应用Darin Dimitrov 的答案,但在我的实现中 bindingContext.ModelName 等于“”。

这是我的视图模型:

public class UrunViewModel
{
    public Urun Urun { get; set; }
    public Type UrunType { get; set; }
}

这是发布模型类型的视图部分:

@model UrunViewModel

@{
    ViewBag.Title = "Tablo Ekle";

    var types = new List<Tuple<string, Type>>();
    types.Add(new Tuple<string, Type>("Tuval Baskı", typeof(TuvalBaski)));
    types.Add(new Tuple<string, Type>("Yağlı Boya", typeof(YagliBoya)));
}

<h2>Tablo Ekle</h2>

    @using (Html.BeginForm("UrunEkle", "Yonetici")) {
        @Html.ValidationSummary(true)
        <fieldset>
            <legend>Tablo</legend>

            @Html.DropDownListFor(m => m.UrunType, new SelectList(types, "Item2", "Item1" ))

这是我的自定义模型绑定器:

public class UrunBinder : DefaultModelBinder
{
    protected override object CreateModel(ControllerContext controllerContext, ModelBindingContext bindingContext, Type type)
    {
        var typeValue = bindingContext.ValueProvider.GetValue(bindingContext.ModelName + ".Urun");

        var model = Activator.CreateInstance((Type)typeValue.ConvertTo(typeof(Type)));
            bindingContext.ModelMetadata = ModelMetadataProviders.Current.GetMetadataForType(() => model, type);

        return model;
    } 
}

最后,Global.asax.cs 中的行:

ModelBinders.Binders.Add(typeof(UrunViewModel), new UrunBinder());

在被覆盖的CreateModel函数内部,在调试模式下我可以看到它bindingContext.ModelName等于“”。而且,typeValue是 null 所以CreateInstance功能失败。

4

1 回答 1

2

我不相信您需要该bindingContext.ModelName财产来做您想做的事情。

按照Darin Dimitrov 的回答,看来您可以尝试以下方法。首先,您需要在表单上为类型设置一个隐藏字段:

@using (Html.BeginForm("UrunEkle", "Yonetici")) {
    @Html.Hidden("UrunType", Model.Urun.GetType())

然后在您的模型绑定中(基本上是从 Darin Dimitrov 复制的):

protected override object CreateModel(ControllerContext controllerContext, ModelBindingContext bindingContext, Type modelType)
{
    var typeValue = bindingContext.ValueProvider.GetValue("UrunType");
    var type = Type.GetType(
        (string)typeValue.ConvertTo(typeof(string)),
        true
    );
    var model = Activator.CreateInstance(type);
    bindingContext.ModelMetadata = ModelMetadataProviders.Current.GetMetadataForType(() => model, type);
    return model;
}

有关如何填充的更多信息,请参阅此帖子。bindingContext.ModelName

于 2012-07-06T22:21:24.243 回答