是否有任何简单的LINQ表达式将我的整个List<string>集合项连接到具有分隔符字符的单个字符串?
如果集合是自定义对象而不是字符串呢?假设我需要连接object。name。
是否有任何简单的LINQ表达式将我的整个List<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)
其他回答
警告-严重性能问题
虽然这个答案确实产生了预期的结果,但与这里的其他答案相比,它的性能较差。在决定使用它时要非常谨慎
通过使用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)
List<string> strings = new List<string>() { "ABC", "DEF", "GHI" };
string s = strings.Aggregate((a, b) => a + ',' + b);
把字符串。连接到扩展方法中。下面是我使用的版本,它比Jordaos的版本更简洁。
当列表为空时返回空字符串""。聚合会抛出异常。 可能比聚合的性能更好 当与其他LINQ方法结合使用时,比纯String.Join()更容易读取
使用
var myStrings = new List<string>() { "a", "b", "c" };
var joinedStrings = myStrings.Join(","); // "a,b,c"
Extensionmethods类
public static class ExtensionMethods
{
public static string Join(this IEnumerable<string> texts, string separator)
{
return String.Join(separator, texts);
}
}
您可以使用聚合(Aggregate)将字符串连接成单个字符分隔的字符串,但如果集合为空,则会抛出无效操作异常(Invalid Operation Exception)。
可以将聚合函数与种子字符串一起使用。
var seed = string.Empty;
var seperator = ",";
var cars = new List<string>() { "Ford", "McLaren Senna", "Aston Martin Vanquish"};
var carAggregate = cars.Aggregate(seed,
(partialPhrase, word) => $"{partialPhrase}{seperator}{word}").TrimStart(',');
你可以用字符串。Join并不关心您是否传递给它一个空集合。
var seperator = ",";
var cars = new List<string>() { "Ford", "McLaren Senna", "Aston Martin Vanquish"};
var carJoin = string.Join(seperator, cars);
好问题。我一直在用
List<string> myStrings = new List<string>{ "ours", "mine", "yours"};
string joinedString = string.Join(", ", myStrings.ToArray());
它不是LINQ,但它可以工作。