如何制作一个看起来很自然的清单?

时间:2013-07-23 11:12:13

标签: c# linq list join

看起来很自然,我的意思是:

  

item1,item2,item3和item4。

我知道你可以用string.Join做一个以逗号分隔的列表,比如

  

item1,item2,item3,item4

但你怎么能做这种清单?我有一个基本的解决方案:

int countMinusTwo = theEnumerable.Count() - 2;
string.Join(",", theEnumerable.Take(countMinusTwo)) + "and " 
    + theEnumerable.Skip(countMinusTwo).First();

但我非常确定有更好的(更高效)方式。任何人?感谢。

2 个答案:

答案 0 :(得分:2)

您应该计算一次大小并将其存储在变量中。否则,每次都会执行查询(如果它不是集合)。此外,如果您想要最后一项,Last更具可读性。

string result;
int count = items.Count();
if(count <= 1)
    result = string.Join("", items);
else
{
    result = string.Format("{0} and {1}"
        , string.Join(", ", items.Take(counter - 1))
        , items.Last());
}

如果可读性不那么重要且序列可能非常大:

var builder = new StringBuilder();
int count = items.Count();
int pos = 0;
foreach (var item in items)
{
    pos++;
    bool isLast = pos == count;
    bool nextIsLast = pos == count -1;
    if (isLast)
        builder.Append(item);
    else if(nextIsLast)
        builder.Append(item).Append(" and ");
    else
        builder.Append(item).Append(", ");
}
string result = builder.ToString();

答案 1 :(得分:1)

我会使用字符串。

假设你有:

string items = "item1, item2, item3, item4";

然后你可以这样做:

int lastIndexOf = items.LastIndexOf(",");
items = items.Remove(lastIndexOf);
items = items.Insert(lastIndexOf, " and");