Concatenate multiple IEnumerable<T>

核能气质少年 提交于 2019-11-30 17:19:38

Use SelectMany:

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

Just for completeness another imo noteworthy approach:

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

If you want to make your function work you need an array of 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;
}
SmartDev

All you have to do is to change:

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

to

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

Note the extra [].

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!