我正在尝试编写验证方法。例如:对于double,它看起来像这样:
protected bool ValidateLoopAttributes(string i_value, double i_threshold)
{
double result;
if (!(double.TryParse(i_value, out result) && result >= i_threshold))
{
return false;
}
return true;
}
是否可以将其写为:
protected bool ValidateLoopAttributes<T>(string i_value, T i_threshold)
然后使用类似
的内容 T.GetType().TryParse() // how can i use here the type's methods??
使用switch / if语句是唯一的方法吗?例如:
If (T.GetType() is int)
Int32.TryParse(i_threshold)
有更优雅的方式吗?
答案 0 :(得分:1)
试试这个:
static class Ext
{
public static bool TryParse<T>(string s, out T value)
{
TypeConverter converter = TypeDescriptor.GetConverter(typeof(T));
try
{
value = (T)converter.ConvertFromString(s);
return true;
}
catch
{
value = default(T);
return false;
}
}
public static bool ValidateLoopAttributes<T>(string i_value, T i_threshold)
where T : IComparable
{
T outval;
if (TryParse<T>(i_value, out outval))
return outval.CompareTo(i_threshold) >= 0;
else return false;
}
}
我的回答使用了Marc Gravell从here得到的答案 有了这个,你可以做到
bool b1 = Ext.ValidateLoopAttributes<int>("5", 4);
bool b2 = Ext.ValidateLoopAttributes<double>("5.4", 5.5d);
如果您觉得它很有用,您也可以使用扩展方法
public static bool ValidateLoopAttributes<T>(this string i_value, T i_threshold)
where T : IComparable { }
引导您使用
bool b1 = "5".ValidateLoopAttributes<int>(4);
bool b2 = "5.4".ValidateLoopAttributes<double>(5.5d);
答案 1 :(得分:1)
public static bool ValidateLoopAttributes<T>(string value, T threshold)
where T : IComparable
{
try
{
var parseMethod = typeof(T).GetMethod("Parse", new[] {typeof (string)});
var result = (T) parseMethod.Invoke(null, new object[] {value});
return result.CompareTo(threshold) < 0;
}
catch (Exception)
{
return false;
}
}
显然,这仅适用于具有静态Parse方法的类型。
答案 2 :(得分:1)
目前,您在方法中混合了两件事 - 解析和业务规则。考虑您调用ValidateLoopAttributes(value, 4)
并返回false
。可能的原因:
在第一种情况下,您的来源中包含无效数据。 在第二种情况下,您有无效的代码,应该使用double代替。 在第三种情况下代码没问题,但业务规则被破坏了。 在最后一种情况下(对于双精度或整数不是这种情况,但如果你编写的通用代码没有类型限制,你允许其他人用任何类型调用它)代码中也存在问题。
因此,请考虑分离业务规则和解析数据。
Foo foo = Parse(xml);
RunBusinessRules(foo);
答案 3 :(得分:0)
可以尝试使用类似的东西来检查这是否是整数:
public static bool IsNumericValue(string val, System.Globalization.NumberStyles NumberStyle)
{
double result;
return Double.TryParse(val,NumberStyle,
System.Globalization.CultureInfo.CurrentCulture,out result);
}
等等
IsNumericValue("1.2", System.Globalization.NumberStyles.Integer) // FALSE
和
IsNumericValue("12", System.Globalization.NumberStyles.Integer) // TRUE
请注意,在此示例中,我使用了CurrectCulture
,如果它们不同,则适合 的需求。