gpt4 book ai didi

java - 将同步方法转换为非阻塞算法

转载 作者:行者123 更新时间:2023-12-01 21:38:26 24 4
gpt4 key购买 nike

刚刚找到一些关于非阻塞算法的资料,所以想在实践中使用它们。我将一些代码从同步更改为非阻塞,所以我想问一下我是否做对了一切并保存了以前的功能。

同步代码:

protected PersistentState persistentState;
protected ClassConstructor(final ID id)
{
super(id);
this.persistentState = PersistentState.UNKNOWN;
}
public final synchronized PersistentState getPersistentState()
{
return this.persistentState;
}

protected synchronized void setPersistentState(final PersistentState newPersistentState)
{
if (this.persistentState != newPersistentState)
{
this.persistentState = newPersistentState;
notifyPersistentStateChanged();
}
}

我的非阻塞算法替代方案:

     protected AtomicReference<PersistentState> persistentState;
protected ClassConstructor(final ID id)
{
super(id);
this.persistentState = new AtomicReference<PersistentState>(PersistentState.UNKNOWN);
}
public final PersistentState getPersistentState()
{
return this.persistentState.get();
}

protected void setPersistentState(final PersistentState newPersistentState)
{
PersistentState tmpPersistentState;
do
{
tmpPersistentState = this.persistentState.get();
}
while (!this.persistentState.compareAndSet(tmpPersistentState, newPersistentState));
// this.persistentState.set(newPersistentState); removed as not necessary
notifyPersistentStateChanged();
}

我是否正确完成了所有操作,或者我错过了什么?对于代码和使用非阻塞方法来设置 abject 一般有什么建议吗?

最佳答案

取决于您所说的线程安全的含义。如果两个线程尝试同时写入,您希望发生什么?是否应该随机选择其中之一作为正确的新值?

这就是最简单的。

protected AtomicReference<PersistentState> persistentState = new AtomicReference<PersistentState>(PersistentState.UNKNOWN);

public final PersistentState getPersistentState() {
return this.persistentState.get();
}

protected void setPersistentState(final PersistentState newPersistentState) {
persistentState.set(newPersistentState);
notifyPersistentStateChanged();
}

private void notifyPersistentStateChanged() {
}

在所有情况下,即使状态没有改变,这仍然会调用notifyPersistentStateChanged。您需要决定在该场景中应该发生什么(一个线程执行 A -> B,另一个线程执行 B -> A)。

但是,如果您只需要在成功转换值时调用notify,您可以尝试如下操作:

 protected void setPersistentState(final PersistentState newPersistentState) {
boolean changed = false;
for (PersistentState oldState = getPersistentState();
// Keep going if different
changed = !oldState.equals(newPersistentState)
// Transition old -> new successful?
&& !persistentState.compareAndSet(oldState, newPersistentState);
// What is it now!
oldState = getPersistentState()) {
// Didn't transition - go around again.
}
if (changed) {
// Notify the change.
notifyPersistentStateChanged();
}
}

关于java - 将同步方法转换为非阻塞算法,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36697938/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com