有没有办法实现一种引用类型,其值可以与另一个原子交换?
在 Java 中,我们AtomicReference
可以将其与局部变量交换,但不能与另一个AtomicReference
.
你可以做:
AtomicReference r1 = new AtomicReference("hello");
AtomicReference r2 = new AtomicReference("world");
并通过两种操作的组合交换它们:
r1.set(r2.getAndSet(r1.get()));
但这使它们之间处于不一致的状态,两者都包含"hello"
. 此外,即使您可以原子地交换它们,您仍然无法原子地读取它们(作为一对)。
我想做的是:
PairableAtomicReference r1 = new PairableAtomicReference("hello");
PairableAtomicReference r2 = new PairableAtomicReference("world");
AtomicRefPair rp = new AtomicRefPair(r1, r2);
然后
Object[] oldVal, newVal;
do {
oldVal = rp.get();
newVal = new Object[] {oldVal[1], oldVal[0]};
} while (! rp.compareAndSet(oldVal, newVal));
交换值,并在另一个线程中:
AtomicRefPair otherRP = new AtomicRefPair(r1, r2);
System.out.println(Arrays.toString(otherRP.get()));
并确保输出为[hello, world]
或[world, hello]
。
笔记:
r1
并r2
为此操作配对,但另一个线程可能会独立配对,比如说r1
和另一个r3
(不幸的是,这意味着我不能使用这个解决方案。)- 将有数十万个这样的引用,因此全球
ReentrantLock
将是一个主要瓶颈。 rp
并且otherRP
不一定在线程之间共享,因此简单地锁定它们是行不通的。他们可以被实习,但实习池需要自己的同步,这将是另一个瓶颈。- 我在这里只做了 2 组参考,但是能够组合 3 组或更多组将是一个奖励。
是否可以实现的无锁版本AtomicRefPair
?我有一种预感,但如果不是,那么也许某处有一篇文章解释了原因?