Network C#

//-----------------------------------------------------------------------
// 
//     Copyright (c) Andrew Arnott. All rights reserved.
// 
// 
//     Microsoft Public License (Ms-PL http://opensource.org/licenses/ms-pl.html).
//     Contributors may add their own copyright notice above.
// 

//-----------------------------------------------------------------------
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Runtime.InteropServices;
using System.Security;
using System.Text;
namespace LinqToTwitter
{
    public static class Utilities
    {
        /// 
        /// Creates a new Uri based on a given Uri, with an appended query string containing all the given parameters.
        /// 

        /// The request URI.
        /// The parameters.
        /// A new Uri instance.
        internal static Uri AppendQueryString(Uri requestUri, IEnumerable> parameters)
        {
            if (requestUri == null)
            {
                throw new ArgumentNullException("requestUri");
            }
            if (parameters == null)
            {
                return requestUri;
            }
            UriBuilder builder = new UriBuilder(requestUri);
            if (!string.IsNullOrEmpty(builder.Query))
            {
                builder.Query += "&" + BuildQueryString(parameters);
            }
            else
            {
                builder.Query = BuildQueryString(parameters);
            }
            return builder.Uri;
        }
        /// 
        /// Assembles a series of key=value pairs as a URI-escaped query-string.
        /// 

        /// The parameters to include.
        /// A query-string-like value such as a=b&c=d.  Does not include a leading question mark (?).
        internal static string BuildQueryString(IEnumerable> parameters)
        {
            if (parameters == null)
            {
                throw new ArgumentNullException("parameters");
            }
            StringBuilder builder = new StringBuilder();
            foreach (var pair in parameters.Where(p => !string.IsNullOrEmpty(p.Value)))
            {
                if (builder.Length > 0)
                {
                    builder.Append("&");
                }
                builder.Append(Uri.EscapeDataString(pair.Key));
                builder.Append("=");
                builder.Append(Uri.EscapeDataString(pair.Value));
            }
            return builder.ToString();
        }
    }
}