免责声明:我的帖子显然总是很冗长。如果您碰巧知道标题问题的答案,请随意回答,而无需阅读下面的扩展讨论。
该类System.Threading.Interlocked
提供了一些非常有用的方法来帮助编写线程安全代码。更复杂的方法之一是CompareExchange
,它可用于计算可能从多个线程更新的运行总数。
由于使用CompareExchange
有点棘手,我认为为其提供一些辅助方法是一个相当常识的想法:
// code mangled so as not to require horizontal scrolling
// (on my monitor, anyway)
public static double Aggregate
(ref double value, Func<double, double> aggregator) {
double initial, aggregated;
do {
initial = value;
aggregated = aggregator(initial);
} while (
initial != Interlocked.CompareExchange(ref value, aggregated, initial)
);
return aggregated;
}
public static double Increase(ref double value, double amount) {
return Aggregate(ref value, delegate(double d) { return d + amount; });
}
public static double Decrease(ref double value, double amount) {
return Aggregate(ref value, delegate(double d) { return d - amount; });
}
现在,也许我只是对普通的快乐感到内疚(我承认,这通常是真的);但是将上述方法提供的功能限制为仅值对我来说确实很愚蠢double
(或者更准确地说,我必须为我想要支持的每种类型编写上述方法的重载版本)。为什么我不能这样做?
// the code mangling continues...
public static T Aggregate<T>
(ref T value, Func<T, T> aggregator) where T : IEquatable<T> {
T initial, aggregated;
do {
initial = value;
aggregated = aggregator(initial);
} while (
!initial.Equals(
Interlocked.CompareExchange<T>(ref value, aggregated, initial)
)
);
}
我不能这样做,因为Interlocked.CompareExchange<T>
显然有一个where T : class
约束,我不明白为什么。我的意思是,也许是因为CompareExchange
该 accept Int32
、Int64
、Double
等已经有重载;但这似乎不是一个好的理由。例如,在我的情况下,能够使用该Aggregate<T>
方法执行广泛的原子计算将非常方便。