1

我有这个自定义验证属性来验证集合。我需要调整它以与 IEnumerable 一起使用。我尝试使该属性成为通用属性,但您不能拥有通用属性。

[AttributeUsage(AttributeTargets.Property, AllowMultiple = false, Inherited = true)]
public class CollectionHasElements : System.ComponentModel.DataAnnotations.ValidationAttribute 
{
     public override bool IsValid(object value)
     {
         if (value != null && value is IList)
         {
             return ((IList)value).Count > 0;
         }
         return false;
     }
}

我无法将它转换为 IEnumerable,以便我可以检查它的 count() 或 any()。

有任何想法吗?

4

2 回答 2

5

试试这个

var collection = value as ICollection;
if (collection != null) {
    return collection.Count > 0;
}

var enumerable = value as IEnumerable;
if (enumerable != null) {
    return enumerable.GetEnumerator().MoveNext();
}

return false;

注意:测试ICollection.Count比获取枚举器并开始枚举枚举器更有效。因此,我尽可能尝试使用该Count属性。但是,第二个测试将单独工作,因为集合总是实现IEnumerable.

继承层次结构是这样的:IEnumerable > ICollection > IList. IList实现ICollectionICollection实现IEnumerable。因此IEnumerable适用于任何设计良好的集合或枚举类型,但不适用于IList. 例如Dictionary<K,V>不实现IListICollection因此也是IEnumeration


.NET 命名约定说属性类名称应始终以“Attribute”结尾。因此,您的班级应该命名为CollectionHasElementsAttribute. 应用属性时,您可以删除“属性”部分。

[CollectionHasElements]
public List<string> Names { get; set; }
于 2012-06-20T14:30:14.373 回答
0

列表和复选框列表所需的验证属性

[AttributeUsage(AttributeTargets.Property)]
public sealed class CustomListRequiredAttribute : RequiredAttribute
{
    public override bool IsValid(object value)
    {
        var list = value as IEnumerable;
        return list != null && list.GetEnumerator().MoveNext();
    }
}

如果您有复选框列表

[AttributeUsage(AttributeTargets.Property)]
public sealed class CustomCheckBoxListRequiredAttribute : RequiredAttribute
{
    public override bool IsValid(object value)
    {
        bool result = false;

        var list = value as IEnumerable<CheckBoxViewModel>;
        if (list != null && list.GetEnumerator().MoveNext())
        {
            foreach (var item in list)
            {
                if (item.Checked)
                {
                    result = true;
                    break;
                }
            }
        }

        return result;
    }
}

这是我的视图模型

public class CheckBoxViewModel
{        
    public string Name { get; set; }
    public bool Checked { get; set; }
}

用法

[CustomListRequiredAttribute(ErrorMessage = "Required.")]
public IEnumerable<YourClass> YourClassList { get; set; }

[CustomCheckBoxListRequiredAttribute(ErrorMessage = "Required.")]
public IEnumerable<CheckBoxViewModel> CheckBoxRequiredList { get; set; }
于 2015-12-12T13:42:04.880 回答