using System;
using System.Collections.Generic;
using System.Text;
namespace FSI.Lib.WinSettings
{
internal static class ArrayToString
{
///
/// Represents the given array as a single string.
///
/// String array to encode.
/// The encoded string.
public static string Encode(string[] array)
{
StringBuilder builder = new StringBuilder();
if (array == null)
return string.Empty;
for (int i = 0; i < array.Length; i++)
{
if (i > 0)
builder.Append(',');
if (array[i].IndexOfAny(new[] { ',', '"', '\r', '\n' }) >= 0)
builder.Append(string.Format("\"{0}\"", array[i].Replace("\"", "\"\"")));
else
builder.Append(array[i]);
}
return builder.ToString();
}
///
/// Decodes a string created with back to an array.
///
/// String to decode.
/// The decoded array.
public static string[] Decode(string s)
{
List list = new List();
int pos = 0;
if (s == null)
return Array.Empty();
while (pos < s.Length)
{
if (s[pos] == '\"')
{
// Parse quoted value
StringBuilder builder = new StringBuilder();
// Skip starting quote
pos++;
while (pos < s.Length)
{
if (s[pos] == '"')
{
// Skip quote
pos++;
// One quote signifies end of value
// Two quote signifies single quote literal
if (pos >= s.Length || s[pos] != '"')
break;
}
builder.Append(s[pos++]);
}
list.Add(builder.ToString());
// Skip delimiter
pos = s.IndexOf(',', pos);
if (pos == -1)
pos = s.Length;
pos++;
}
else
{
// Parse value
int start = pos;
pos = s.IndexOf(',', pos);
if (pos == -1)
pos = s.Length;
list.Add(s.Substring(start, pos - start));
// Skip delimiter
pos++;
}
}
return list.ToArray();
}
}
}