是否有任何简单的LINQ表达式将我的整个List<string>集合项连接到具有分隔符字符的单个字符串?

如果集合是自定义对象而不是字符串呢?假设我需要连接object。name。


当前回答

好问题。我一直在用

List<string> myStrings = new List<string>{ "ours", "mine", "yours"};
string joinedString = string.Join(", ", myStrings.ToArray());

它不是LINQ,但它可以工作。

其他回答

using System.Linq;

public class Person
{
  string FirstName { get; set; }
  string LastName { get; set; }
}

List<Person> persons = new List<Person>();

string listOfPersons = string.Join(",", persons.Select(p => p.FirstName));
string result = String.Join(delimiter, list);

是充分的。

我已经使用LINQ做到了这一点:

var oCSP = (from P in db.Products select new { P.ProductName });

string joinedString = string.Join(",", oCSP.Select(p => p.ProductName));

好问题。我一直在用

List<string> myStrings = new List<string>{ "ours", "mine", "yours"};
string joinedString = string.Join(", ", myStrings.ToArray());

它不是LINQ,但它可以工作。

这个回答旨在扩展和改进一些提到的基于linq的解决方案。它本身并不是解决这个问题的“好”方法。只使用字符串。当它符合你的需要时,按照建议加入。

上下文

这个答案是由问题的第二部分(一种通用方法)和一些表达了与LINQ密切关系的评论所提示的。

The currently accepted answer does not seem to work with empty or singleton sequences. It also suffers from a performance issue. The currently most upvoted answer does not explicitly address the generic string conversion requirement, when ToString does not yield the desired result. (This can be remedied by adding a call to Select.) Another answer includes a note that may lead some to believe that the performance issue is inherent to LINQ. ("Using LINQ to turn enumerables into delimited strings can cause serious performance problems.") I noticed this comment about sending the query to the database.

鉴于没有匹配所有这些要求的答案,我提出了一个基于LINQ的实现,在线性时间内运行,使用任意长度的枚举,并支持元素到字符串的通用转换。

所以,LINQ还是破产?好的。

static string Serialize<T>(IEnumerable<T> enumerable, char delim, Func<T, string> toString)
{
    return enumerable.Aggregate(
        new StringBuilder(),
        (sb, t) => sb.Append(toString(t)).Append(delim),
        sb =>
        {
            if (sb.Length > 0)
            {
                sb.Length--;
            }

            return sb.ToString();
        });
}

这种实现比许多替代方法更复杂,主要是因为我们需要在自己的代码中管理分隔符(分隔符)的边界条件。

它应该以线性时间运行,遍历元素最多两次。

在最初生成要追加的所有字符串时为一次,在最后的ToString调用期间生成最终结果时为零到一次。这是因为后者可能只能返回恰好足够大的缓冲区,以包含所有追加的字符串,或者它必须重新生成完整的内容(不太可能),或者介于两者之间。更多信息请参见:What is the Complexity of the StringBuilder.ToString() on SO。

最后的话

只使用字符串。如果它符合您的需求,则按照建议进行连接,在需要首先按摩序列时添加一个Select。

这个回答的主要目的是说明使用LINQ可以保持性能稳定。结果(可能)太冗长,不推荐,但它确实存在。