5

如何将所有值NameValueCollection作为单个字符串键入,
现在我使用以下方法来获取它:

public static string GetAllReasons(NameValueCollection valueCollection)
{
    string _allValues = string.Empty;

    foreach (var key in valueCollection.AllKeys)
        _allValues += valueCollection.GetValues(key)[0] + System.Environment.NewLine;

    return _allValues.TrimEnd(System.Environment.NewLine.ToCharArray());
}

任何简单的解决方案使用Linq

4

2 回答 2

8

您可以使用以下内容:

string allValues = string.Join(System.Environment.NewLine, valueCollection.AllKeys.Select(key => valueCollection[key]));
于 2014-01-29T13:22:49.493 回答
1

这将取决于您希望如何分隔最终字符串中的每个值,但我使用一种简单的扩展方法将任何值组合IEnumerable<string>为值分隔的字符串:

public static string ToValueSeparatedString(this IEnumerable<string> source, string separator)
{
    if (source == null || source.Count() == 0)
    {
        return string.Empty;
    }

    return source
        .DefaultIfEmpty()
        .Aggregate((workingLine, next) => string.Concat(workingLine, separator, next));
}

作为如何将其与 a 一起使用的示例NameValueCollection

NameValueCollection collection = new NameValueCollection();
collection.Add("test", "1");
collection.Add("test", "2");
collection.Add("test", "3");

// Produces a comma-separated string of "1,2,3" but you could use any 
// separator you required
var result = collection.GetValues("test").ToValueSeparatedString(",");
于 2014-01-29T14:03:29.843 回答