1

我不知道如何为泛型类实现IComparable接口方法CompareTo

我有一个名为的类BindingProperty<T>,用于创建一个List<BindingProperty<intOrString>>绑定到一个DataGrid. 问题是我无法执行排序操作,因为这个类IComparable没有实现接口。BindingProperty<T>比较的结果将取决于“ BindingProperty<T>Value”类型为 T 的类的数据成员“Value”。当我单击 DataGrid 的列标题时,我得到一个方法未实现的异常。CompareTo()

我需要帮助来实现这个接口。我应该使用IComparable<T>吗?如果是,我该怎么做?

提前感谢沙克蒂

4

3 回答 3

0

如果 Type 是自定义类,那么您的自定义类需要是 IComparable。

例如

List<FooClass>, 然后FooClass需要继承/实现IComparable.

于 2012-02-11T12:44:00.597 回答
0

您可以使用通用约束来要求T实现IComparable<T>. 然后,您可以通过比较它们的成员来比较两个BindingProperty<T>实例。Value我不清楚你是否需要你的类来实现IComparable,或者IComparable<T>实现两者并没有太多额外的工作。

class BindingProperty<T>
  : IComparable<BindingProperty<T>>, IComparable where T : IComparable<T> {

  public T Value { get; set; }

  public Int32 CompareTo(BindingProperty<T> other) {
    return Value.CompareTo(other.Value);
  }

  public Int32 CompareTo(Object other) {
    if (other == null)
      return 1;
    var otherBindingProperty = other as BindingProperty<T>;
    if (otherBindingProperty == null)
      throw new ArgumentException();
    return CompareTo(otherBindingProperty);
  }

}
于 2012-02-11T12:45:59.440 回答
0

在 T 上设置泛型类型约束。

public class BindingProperty<T> : IComparable where T : IComparable
{
    public T Value {get; set;}

    public int CompareTo(object obj)
    {
       if (obj == null) return 1;

       var other = obj as BindingProperty<T>;
       if (other != null) 
            return Value.CompareTo(other.Value);
       else
            throw new ArgumentException("Object is not a BindingProperty<T>");
    }
}

编辑:
如果值未实现,则处理的替代解决方案IComparable。这将支持所有类型,如果它们不实现则不会排序IComparable

public class BindingProperty<T> : IComparable
    {
        public T Value {get; set;}

        public int CompareTo(object obj)
        {
           if (obj == null) return 1;

           var other = obj as BindingProperty<T>;
           if (other != null) 
           {
               var other2 = other as IComparable;
               if(other2 != null)
                  return other2.CompareTo(Value);
               else
                  return 1; //Does not implement IComparable, always return 1
           }
           else
                throw new ArgumentException("Object is not a BindingProperty<T>");
        }
    }
于 2012-02-11T12:46:15.663 回答