泛型扩展方法可以返回IEnumerable类型
本文关键字:返回 IEnumerable 类型 扩展 方法 泛型 | 更新日期: 2023-09-27 18:09:10
我想写一个具有泛型参数的扩展。让我用代码显示。
public static IEnumerable<IEnumerable<T>> Split<T>(this IEnumerable<T> value, int countOfEachPart)
{
//spliting value
}
这个方法总是返回IEnumerable<IEnumerable<T>>
但是我想返回IEnumerable<TList<T>>
,
如果我通过了List<T>
,我应该返回IEnumerable<List<T>>
,如果我通过了T[]
,我应该返回IEnumerable<T>[]
等。
我尝试了这个代码,但是我不能成功
public static IEnumerable<TList<T>> Split<TList,T>(this TList<T> value, int countOfEachPart) where TList:IEnumerable<T> //or where TList:IEnumerable
{
//spliting value
}
是否有任何方法返回传递的IEnumerable类型?
因为你很可能无论如何都要实现对数组和列表的支持,所以你必须编写重载的方法。
public static IEnumerable<IEnumerable<T>> Split<T>(this IEnumerable<T> value, int countOfEachPart)
public static IEnumerable<IList<T>> Split<T>(this IList<T> value, int countOfEachPart)
public static IEnumerable<T[]> Split<T>(this T[] value, int countOfEachPart)
关于方法的逻辑(这实际上不是问题的一部分,但已经在您自己的回答中讨论过):我已经实现了一个类似的,仅基于IEnumerables。它看起来像这样:
public static IEnumerable<IEnumerable<T>> Page<T>(this IEnumerable<T> source, int pageSize)
{
T[] sourceArray = source.ToArray();
int pageCounter = 0;
while (true)
{
if (sourceArray.Length <= pageCounter * pageSize)
{
break;
}
yield return sourceArray
.Skip(pageCounter * pageSize)
.Take(pageSize);
pageCounter++;
}
}
我不是很满意,因为ToArray
。我更喜欢这样一种解决方案:整个过程尽可能地偷懒,在迭代结果时只迭代源。它会更复杂一点,我没有时间。但是,以后可以很容易地用更好的实现代替它。
我完成了我的分机。
我用了@Stefan Steinegger和@Luaan的答案。由于
这是我的扩展的最终代码。我愿意接受你的批评和建议
public static class Extension
{
private static IEnumerable<TList> Split<TList, T>(this TList value, int countOfEachPart) where TList : IEnumerable<T>
{
int cnt = value.Count() / countOfEachPart;
List<IEnumerable<T>> result = new List<IEnumerable<T>>();
for (int i = 0; i <= cnt; i++)
{
IEnumerable<T> newPart = value.Skip(i * countOfEachPart).Take(countOfEachPart).ToArray();
if (newPart.Any())
result.Add(newPart);
else
break;
}
return result.Cast<TList>();
}
public static IEnumerable<IDictionary<TKey, TValue>> Split<TKey, TValue>(this IDictionary<TKey, TValue> value, int countOfEachPart)
{
IEnumerable<Dictionary<TKey, TValue>> result = value.ToArray()
.Split(countOfEachPart)
.Select(p => p.ToDictionary(k => k.Key, v => v.Value));
return result;
}
public static IEnumerable<IList<T>> Split<T>(this IList<T> value, int countOfEachPart)
{
return value.Split<IList<T>, T>(countOfEachPart);
}
public static IEnumerable<T[]> Split<T>(this T[] value, int countOfEachPart)
{
return value.Split<T[], T>(countOfEachPart);
}
public static IEnumerable<IEnumerable<T>> Split<T>(this IEnumerable<T> value, int countOfEachPart)
{
return value.Split<IEnumerable<T>, T>(countOfEachPart);
}
}
TList
是一个类型参数-它不是泛型的。但它不一定是:
public static IEnumerable<TList> Split<TList,T>
(this TList value, int countOfEachPart)
where TList: IEnumerable<T>
遗憾的是,这不允许T
的类型推断…