使用LINQ对List <string>中的所有字符串进行Concat
有没有简单的LINQ表达式将我的整个List<string>
集合项连接到带有分隔符的单个string
?
如果集合是自定义对象而不是string
呢? 想象一下,我需要连接object.Name
。
通过使用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)
在.NET 4.0和更高版本中:
String.Join(delimiter, list);
足够了。 对于旧版本,您必须:
String.Join(delimiter, list.ToArray());
这是一个字符串数组:
string.Join(delimiter, array);
这是一个List <string>:
string.Join(delimiter, list.ToArray());
这是一个自定义对象的列表:
string.Join(delimiter, list.Select(i => i.Boo).ToArray());
链接地址: http://www.djcxy.com/p/52747.html