我会创建一些您注册的自定义解析器列表,然后再利用,因为您似乎无论如何都想使用自定义规则:
public static class StringParsers
{
private static Dictionary<Type, object> Parsers = new Dictionary<Type, object>();
public static void RegisterParser<T>(Func<string, T> parseFunction)
{
Parsers[typeof(T)] = parseFunction;
}
public static T Parse<T>(string input)
{
object untypedParser;
if (!Parsers.TryGetValue(typeof(T), out untypedParser))
throw new Exception("Could not find a parser for type " + typeof(T).FullName);
Func<string, T> parser = (Func<string, T>)untypedParser;
return parser(input);
}
}
在您的应用程序初始化期间,您将注册您打算稍后在应用程序中使用的类型(我猜这是已知的,因为您使用的是泛型):
StringParsers.RegisterParser<string[]>(input => input.Split(','));
StringParsers.RegisterParser<int[]>(input => input.Split(',').Select(i => Int32.Parse(i)).ToArray());
StringParsers.RegisterParser<int>(input => Int32.Parse(input));
最后,您可以简单地调用它:
string testArrayInput = "1,2,8";
int[] integers = StringParsers.Parse<int[]>(testArrayInput); // {1, 2, 8}
string[] strings = StringParsers.Parse<string[]>(testArrayInput); // {"1", "2", "8"}
int singleInt = StringParsers.Parse<int>("9999"); //9999
现在,这是一个非常简单的实现。您可能希望扩展它,而不是使用类型Func<string, T>
,它可能会使用IStringParser
接口,并且您可以在必要时提供更深入的解析实现。此外,您可能希望使其线程安全(除非您确定这不会成为问题,或者如果您确定您在启动时的注册是在任何使用之前)
编辑:如果你真的,真的,真的想在一个函数中只考虑你的逗号分隔数组,那么你可以使用这个:
public static T Str2Val<T>(string str)
{
if (!typeof(T).IsArray)
return (T)Convert.ChangeType(str, typeof(T));
Type elementType = typeof(T).GetElementType();
string[] entries = str.Split(',');
int numberOfEntries = entries.Length;
System.Array array = Array.CreateInstance(elementType, numberOfEntries);
for(int i = 0; i < numberOfEntries; i++)
array.SetValue(Convert.ChangeType(entries[i], elementType), i);
return (T)(object)array;
}
但这感觉太不对劲了。必须有更好的方法,并避免在亚历山大的答案中出现双重通用输入,但你去吧。