3

列挙型のリストにバインドする方法で DefaultModelBinder の動作を変更したいシナリオがあります。

私は列挙型を持っています...

public enum MyEnum { FirstVal, SecondVal, ThirdVal }

そしてモデルのクラス...

public class MyModel
{
    public List<MyEnum> MyEnums { get; set; }
}

POST本体は...

MyEnums=&MyEnums=ThirdVal

現在、モデル バインド後、MyEnums プロパティには次のものが含まれます。

[0] = FirstVal
[1] = ThirdVal

MyEnums プロパティが次のようになるように、投稿されたデータの空の値を無視するようにモデル バインダーに指示する方法はありますか?

[0] = ThirdVal
4

1 に答える 1

6

MyModel のカスタム モデル バインダーを作成できます。

public class MyModelModelBinder : DefaultModelBinder
{
    protected override void SetProperty(
        ControllerContext controllerContext, 
        ModelBindingContext bindingContext, 
        PropertyDescriptor propertyDescriptor, 
        object value)
    {
        if (value is ICollection<MyEnum>)
        {
            var myEnums = controllerContext.HttpContext.Request[propertyDescriptor.Name];
            if (!string.IsNullOrEmpty(myEnums))
            {
                var tokens = myEnums.Split(new [] { ',' }, StringSplitOptions.RemoveEmptyEntries);
                value = tokens.Select(x => (MyEnum)Enum.Parse(typeof(MyEnum), x)).ToList();
            }
        }
        base.SetProperty(controllerContext, bindingContext, propertyDescriptor, value);
    }
}

に登録されていApplication_Startます:

protected void Application_Start()
{
    AreaRegistration.RegisterAllAreas();
    RegisterRoutes(RouteTable.Routes);
    ModelBinders.Binders.Add(typeof(MyModel), new MyModelModelBinder());
}

アップデート:

コメント セクションで要求されたように、以前のバインダーをより一般的なものにする方法は次のとおりです。

protected override void SetProperty(
    ControllerContext controllerContext, 
    ModelBindingContext bindingContext, 
    PropertyDescriptor propertyDescriptor, 
    object value)
{
    var collection = value as IList;
    if (collection != null && collection.GetType().IsGenericType)
    {
        var genericArgument = collection
            .GetType()
            .GetGenericArguments()
            .Where(t => t.IsEnum)
            .FirstOrDefault();

        if (genericArgument != null)
        {
            collection.Clear();
            var enumValues = controllerContext.HttpContext
                .Request[propertyDescriptor.Name];
            var tokens = enumValues.Split(
                new[] { ',' }, StringSplitOptions.RemoveEmptyEntries);
            foreach (var token in tokens)
            {
                collection.Add(Enum.Parse(genericArgument, token));
            }
        }
    }
    base.SetProperty(controllerContext, bindingContext, propertyDescriptor, value);
}
于 2010-02-26T09:34:59.173 に答える