连接多个 IEnumerable

本文关键字:IEnumerable 连接 | 更新日期: 2023-09-27 18:31:31

我正在尝试实现一种连接多个List的方法,例如

List<string> l1 = new List<string> { "1", "2" };
List<string> l2 = new List<string> { "1", "2" };
List<string> l3 = new List<string> { "1", "2" };
var result = Concatenate(l1, l2, l3);

但是我的方法不起作用:

public static IEnumerable<T> Concatenate<T>(params IEnumerable<T> List)
{
    var temp = List.First();
    for (int i = 1; i < List.Count(); i++)
    {
        temp = Enumerable.Concat(temp, List.ElementAt(i));
    }
    return temp;
}

连接多个 IEnumerable<T>

使用 SelectMany

public static IEnumerable<T> Concatenate<T>(params IEnumerable<T>[] lists)
{
    return lists.SelectMany(x => x);
}

只是为了完整起见,另一个值得注意的方法:

public static IEnumerable<T> Concatenate<T>(params IEnumerable<T>[] List)
{
    foreach (IEnumerable<T> element in List)
    {
        foreach (T subelement in element)
        {
            yield return subelement;
        }
    }
}

如果你想让你的函数工作,你需要一个 IEnumerable 数组:

public static IEnumerable<T> Concartenate<T>(params IEnumerable<T>[] List)
{
    var Temp = List.First();
    for (int i = 1; i < List.Count(); i++)
    {
        Temp = Enumerable.Concat(Temp, List.ElementAt(i));
    }
    return Temp;
}
您所

要做的就是更改:

public static IEnumerable<T> Concatenate<T>(params IEnumerable<T> lists)

public static IEnumerable<T> Concatenate<T>(params IEnumerable<T>[] lists)

请注意额外的[]