通过使用this question的答案,我设法得到一个逗号分隔列表绑定到我的模型中的简单IEnumerable类型
然而,我不想在控制器本身(或全局)声明模型绑定器,而是更愿意能够在我的模型的一个字段上声明某种属性,并声明它是需要这种边缘大小写绑定方法的字段。
我想象的是这样的事情:
[CommaSeparated]
public IEnumerable<int> ListIDs {get;set;}
非常感谢任何帮助
答案 0 :(得分:2)
假设您已声明了标记属性:
[AttributeUsage(AttributeTargets.Property)]
public class CommaSeparatedAttribute: Attribute
{
}
只有在使用此属性修饰属性时,才能轻松调整您在链接帖子中看到的模型绑定器的实现:
public class CommaSeparatedValuesModelBinder : DefaultModelBinder
{
private static readonly MethodInfo ToArrayMethod = typeof(Enumerable).GetMethod("ToArray");
protected override object GetPropertyValue(ControllerContext controllerContext, ModelBindingContext bindingContext, System.ComponentModel.PropertyDescriptor propertyDescriptor, IModelBinder propertyBinder)
{
if (propertyDescriptor.PropertyType.GetInterface(typeof(IEnumerable).Name) != null)
{
var actualValue = bindingContext.ValueProvider.GetValue(propertyDescriptor.Name);
if (actualValue != null && !String.IsNullOrWhiteSpace(actualValue.AttemptedValue) && actualValue.AttemptedValue.Contains(","))
{
var valueType = propertyDescriptor.PropertyType.GetElementType() ?? propertyDescriptor.PropertyType.GetGenericArguments().FirstOrDefault();
bool isCommaSeparated = propertyDescriptor.Attributes.OfType<CommaSeparatedAttribute>().Any();
if (isCommaSeparated && valueType != null && valueType.GetInterface(typeof(IConvertible).Name) != null)
{
var list = (IList)Activator.CreateInstance(typeof(List<>).MakeGenericType(valueType));
foreach (var splitValue in actualValue.AttemptedValue.Split(new[] { ',' }))
{
list.Add(Convert.ChangeType(splitValue, valueType));
}
if (propertyDescriptor.PropertyType.IsArray)
{
return ToArrayMethod.MakeGenericMethod(valueType).Invoke(this, new[] { list });
}
else
{
return list;
}
}
}
}
return base.GetPropertyValue(controllerContext, bindingContext, propertyDescriptor, propertyBinder);
}
}
基本上,您需要确定属性是否使用标记属性进行修饰,以便将自定义逗号分隔逻辑或回退应用于默认行为:
bool isCommaSeparated = propertyDescriptor.Attributes.OfType<CommaSeparatedAttribute>().Any();