// Copyright (c) Microsoft Corporation. All rights reserved. See License.txt in the project root for license information.
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Net.Http.Internal;
using System.Runtime.Serialization;
using System.Text;
using System.Web.Http;
namespace System.Net.Http.Formatting.Internal
{
///
/// NameValueCollection to represent form data and to generate form data output.
///
[Serializable]
internal class HttpValueCollection : NameValueCollection
{
private HttpValueCollection()
: base(StringComparer.OrdinalIgnoreCase) // case-insensitive keys
{
}
// Use a builder function instead of a ctor to avoid virtual calls from the ctor.
public static NameValueCollection Create()
{
return new HttpValueCollection();
}
public static NameValueCollection Create(IEnumerable> pairs)
{
var nvc = new HttpValueCollection();
// Ordering example:
// k=A&j=B&k=C --> k:[A,C];j=[B].
foreach (KeyValuePair kv in pairs)
{
ThrowIfMaxHttpCollectionKeysExceeded(nvc.Count);
string key = kv.Key;
if (key == null)
{
key = string.Empty;
}
string value = kv.Value;
if (value == null)
{
value = string.Empty;
}
nvc.Add(key, value);
}
nvc.IsReadOnly = false;
return nvc;
}
private static void ThrowIfMaxHttpCollectionKeysExceeded(int count)
{
if (count >= MediaTypeFormatter.MaxHttpCollectionKeys)
{
throw Error.InvalidOperation(System.Net.Http.Properties.Resources.MaxHttpCollectionKeyLimitReached, MediaTypeFormatter.MaxHttpCollectionKeys, typeof(MediaTypeFormatter));
}
}
protected HttpValueCollection(SerializationInfo info, StreamingContext context)
: base(info, context)
{
}
public override string ToString()
{
return ToString(true);
}
private string ToString(bool urlEncode)
{
if (Count == 0)
{
return String.Empty;
}
StringBuilder builder = new StringBuilder();
bool first = true;
foreach (string name in this)
{
string[] values = GetValues(name);
if (values == null || values.Length == 0)
{
first = AppendNameValuePair(builder, first, urlEncode, name, String.Empty);
}
else
{
foreach (string value in values)
{
first = AppendNameValuePair(builder, first, urlEncode, name, value);
}
}
}
return builder.ToString();
}
private static bool AppendNameValuePair(StringBuilder builder, bool first, bool urlEncode, string name, string value)
{
string effectiveName = name ?? String.Empty;
string encodedName = urlEncode ? UriQueryUtility.UrlEncode(effectiveName) : effectiveName;
string effectiveValue = value ?? String.Empty;
string encodedValue = urlEncode ? UriQueryUtility.UrlEncode(effectiveValue) : effectiveValue;
if (first)
{
first = false;
}
else
{
builder.Append("&");
}
builder.Append(encodedName);
if (!String.IsNullOrEmpty(encodedValue))
{
builder.Append("=");
builder.Append(encodedValue);
}
return first;
}
}
}