将值解析为可空枚举
本文关键字:枚举 | 更新日期: 2023-09-27 18:18:58
我们设这个:
PriorityType? priority;
string userInput = ...;
我不能改变它的定义:PriorityType? priority
,因为它实际上是与另一段代码的合同的一部分。
我试过这个,但是它不工作:
if (Enum.TryParse<PriorityType?>(userInput, out priority)) {
正确的方法是什么?
如果您希望它是一行代码,您可以这样做:
var priority = Enum.TryParse<PriorityType>(userInput, out var outPriority) ? outPriority : (PriorityType?) null;
最简单的方法:
PriorityType tempPriority;
PriorityType? priority;
if (Enum.TryParse<PriorityType>(userInput, out tempPriority))
priority = tempPriority;
这是我能想到的最好的:
public static class NullableEnum
{
public static bool TryParse<T>(string value, out T? result) where T :struct, IConvertible
{
if (!typeof(T).IsEnum)
throw new Exception("This method is only for Enums");
T tempResult = default(T);
if (Enum.TryParse<T>(value, out tempResult))
{
result = tempResult;
return true;
}
result = null;
return false;
}
}
使用:
if (NullableEnum.TryParse<PriorityType>(userInput, out priority))
上面的类可以像Enum.TryParse
一样使用,只是有一个可空的输入。您可以添加另一个接受非空T
的重载函数,以便您可以在两个实例中使用它。不幸的是,扩展方法在枚举类型上工作得不是很好(就我所能在短时间内尝试操作它而言)。
这是Ron Beyer发布的相同的解决方案,只是稍微重构了一下:
public static class NullableEnum
{
public static bool TryParse<T>(string value, out T? result) where T : struct, IConvertible
{
if (!typeof(T).IsEnum) throw new ArgumentException("Invalid Enum");
result = Enum.TryParse(value, out T tempResult) ? tempResult : default(T?);
return (result == null) ? false : true;
}
}
这里的另一种方法实际上可以让您处理可空枚举,而不是在获得它们时失败:
public static class EnumHelper {
public static TEnum Parse<TEnum>( string value ){
if( typeof(TEnum).IsEnum )
return (TEnum)Enum.Parse( typeof(TEnum), value );
Type? nullableType = Nullable.GetUnderlyingType( typeof(TEnum) );
if( /*not a nullable type*/nullableType is null )
throw new ArgumentException( $"Provided type {typeof(TEnum).Name} must be either an enum or a nullable enum" );
return (TEnum?)Enum.Parse( nullableType, value );
}
}
调用模式与使用out
参数的基本库略有不同,但是如果您愿意,可以将其封装在相同的调用模式中。在大多数情况下,上面的代码更容易使用。