小编典典

合并列表中的所有字符串 使用LINQ

c#

是否有任何简单的LINQ表达式将我的整个List<string>集合项连接到string带有定界符的单个项中?

如果集合是自定义对象而不是该string怎么办?想象我需要串联object.Name


阅读 315

收藏
2020-05-19

共1个答案

小编典典

通过使用LINQ,这应该可以工作。

string delimiter = ",";
List<string> items = new List<string>() { "foo", "boo", "john", "doe" };
Console.WriteLine(items.Aggregate((i, j) => i + delimiter + j));

类说明:

public class Foo
{
    public string Boo { get; set; }
}

用法:

class Program
{
    static void Main(string[] args)
    {
        string delimiter = ",";
        List<Foo> items = new List<Foo>() { new Foo { Boo = "ABC" }, new Foo { Boo = "DEF" },
            new Foo { Boo = "GHI" }, new Foo { Boo = "JKL" } };

        Console.WriteLine(items.Aggregate((i, j) => new Foo{Boo = (i.Boo + delimiter + j.Boo)}).Boo);
        Console.ReadKey();

    }
}

这是我最好的:)

items.Select(i => i.Boo).Aggregate((i, j) => i + delimiter + j)
2020-05-19