代码之家  ›  专栏  ›  技术社区  ›  Ian Kemp

ilist<t>.split()扩展方法的方法签名

  •  2
  • Ian Kemp  · 技术社区  · 15 年前

    我希望能够编写以下代码:

    // contains 500 entries
    IList<string> longListOfStrings = ...
    
    // shorterListsOfStrings is now an array of 5 IList<string>,
    // with each element containing 100 strings
    IList<string>[] shorterListsOfStrings = longListOfStrings.Split(5);
    

    为此,我必须创建一个名为 Split 看起来像是:

    public static TList[] Split<TList>(this TList source, int elementCount)
      where TList : IList<>, ICollection<>, IEnumerable<>, IList, ICollection, IEnumerable
    {
      return null;
    }
    

    但是当我试图编译它时,编译器告诉我 IList<> ,请 ICollection<> IEnumerable<> 需要类型参数。因此,我将定义改为:

    public static TList<TType>[] Split<TList<TType>>(this TList<TType> source, int elementCount)
      where TList : IList<TType>, ICollection<TType>, IEnumerable<TType>, IList, ICollection, IEnumerable
    {
      return null;
    }
    

    但是编译器抱怨它找不到类型 TList . 我有一个想法,我是过度复杂的事情,但我不知道如何…感谢您的帮助!

    2 回复  |  直到 15 年前
        1
  •  6
  •   Jon Skeet    15 年前

    是的,我认为你做得太复杂了。试试这个:

    public static IList<T>[] Split<T>(this IList<T> source, int elementCount)
    {
        // What the heck, it's easy to implement...
        IList<T>[] ret = new IList<T>[(source.Count + elementCount - 1) 
                                      / elementCount];
        for (int i = 0; i < ret.Length; i++)
        {
            int start = i * elementCount;
            int size = Math.Min(elementCount, source.Count - i * start);
            T[] tmp = new T[size];
            // Would like CopyTo with a count, but never mind
            for (int j = 0; i < size; j++)
            {
                tmp[j] = source[j + start];
            }
            ret[i] = tmp;
        }
        return ret;
    }
    

    毕竟,您不会改变您在基于源代码的方法中创建的列表类型,是吗?你大概会创建一个 List<T> (或者也许 T[] )即使我传递了其他一些实现。

    你可能想看看 Batch method in MoreLINQ 对于一个 IEnumerable<T> -基于实现。

        2
  •  3
  •   jason    15 年前

    这个怎么样?

    public static IList<TResult>[] Split<TSource, TResult>(
        this IList<TSource> source,      // input IList to split
        Func<TSource, TResult> selector, // projection to apply to each item
        int elementCount                 // number of items per IList
    ) {
        // do something        
    }
    

    如果您不需要版本来投影每个项目:

     public static IList<T>[] Split<T>(
        this IList<T> source, // input IList to split
        int elementCount      // number of items per IList
    ) {
          return Split<T, T>(source, x => x, elementCount);      
    }