我有一个带有一些属性的泛型类:
class MyClass<TValueType>
where TValueType : struct, IComparable
{
public TValueType Target
{
get { return _target; }
set
{
if (Equals(_target, value)) return;
_target = value;
RaiseTargetChanged(value);
}
}
// Other stuff ...
}
如您所见,我与object.Equals
进行比较以避免过多的事件调用。但是,我有一个浮点比较的扩展方法,如果TValueType
是double,float或decimal,我想使用它:
public static bool AlmostEqual(this double x, double y, double delta = 0.00001d)
public static bool AlmostEqual(this float x, float y, float delta = 0.00001f)
public static bool AlmostEqual(this decimal x, decimal y, decimal delta = 0.00001m)
我应该输入比较并投射TValueType并进行正确的浮点比较,还是有更聪明的方法?
编辑:David Heffernan的解决方案:
我已经强制要求将比较器传递给该类:
class MyClass<TValueType>
{
public MyClass(IComparer<TValueType> comparer) { ... }
}
然后我传递了一个自定义比较器:
public class FloatingPointComparer : IComparer<double>, IComparer<float>, IComparer<decimal>, IComparer
{
public int Compare(double x, double y)
{
return FloatingComparisonExtensions.CompareTo(x, y);
}
// Rest of Compares are the same
}
我使用的是IComparer
而不是IEqualityComparer
,因为我需要针对最大值和最小值验证目标。
答案 0 :(得分:1)
您可以要求消费者提供IEqualityComparer<TValueType>
界面来执行比较,而不是在您的泛型类中使用类型检查代码,这会感觉有点脏。如果消费者没有提供,则代码将默认为Object.Equals
。