在C#中进行适当的可空类型检查?

好吧,我的实际问题是:我正在实现一个IList< T>.当我得到CopyTo(数组数组,int索引)时,这是我的解决方案:

void ICollection.CopyTo(Array array, int index)
{
    // Bounds checking, etc here.
    if (!(array.GetValue(0) is T))
        throw new ArgumentException("Cannot cast to this type of Array.");
    // Handle copying here.
}

这在我的原始代码中有效,并且仍然有效.但它有一个小缺陷,直到我开始为它构建测试时才暴露,特别是这个:

public void CopyToObjectArray()
{
    ICollection coll = (ICollection)_list;
    string[] testArray = new string[6];

    coll.CopyTo(testArray, 2);
}

现在,这个测试应该通过.它抛出了无法强制转换的ArgumentException.为什么? array [0] == null.检查设置为null的变量时,is关键字始终返回false.现在,由于种种原因,包括避免空取消引用等,这很方便.我最终想出的类型检查是:

try
{
    T test = (T)array.GetValue(0);
}
catch (InvalidCastException ex)
{
    throw new ArgumentException("Cannot cast to this type of Array.", ex);
}

这不是很优雅,但它有效……有没有更好的方法呢?

解决方法:

唯一可以肯定的方法是使用反射,但是通过使用数组可以避免成本的90%是T [].大多数人都会传入一个正确类型的数组,所以这样做.但是,您应该始终提供代码来进行反射检查,以防万一.这是我的一般样板材的样子(注意:我在这里写的,从内存中写的,所以这可能不会编译,但它应该给出基本的想法):

class MyCollection : ICollection<T> {
   void ICollection<T>.CopyTo(T[] array, int index) {
       // Bounds checking, etc here.
       CopyToImpl(array, index);
   }
   void ICollection.CopyTo(Array array, int index) {
       // Bounds checking, etc here.
       if (array is T[]) { // quick, avoids reflection, but only works if array is typed as exactly T[]
           CopyToImpl((T[])localArray, index);
       } else {
           Type elementType = array.GetType().GetElementType();
           if (!elementType.IsAssignableFrom(typeof(T)) && !typeof(T).IsAssignableFrom(elementType)) {
               throw new Exception();
           }
           CopyToImpl((object[])array, index);
       }
   }
   private void CopyToImpl(object[] array, int index) {
       // array will always have a valid type by this point, and the bounds will be checked
       // Handle the copying here
   }
}

编辑:好的,忘记指出一些事情.一对夫妇回答天真地使用了什么,在这段代码中,只读取了元素.IsAssignableFrom(typeof(T)).如果开发人员知道此特定ICollection中的所有值实际上是从T派生的类型S,并且传递类型S的数组,则还应该允许typeof(T).IsAssignableFrom(elementType),如BCL所做的那样. []

上一篇:c# – 为什么有Nullable结构和Nullable类?


下一篇:c# – 检查nullable是否有值的正确方法