我正在尝试为Hibernate实现自己的序列生成器。开箱即用的方法带有同步方法,这会在我的应用程序中引起过多的争用(多个线程将数据并行插入到Oracle数据库中)。
我当时想尝试一下StampedLock,但是不幸的是,我的测试用例(150.000行有16个线程)在150.000执行中总是会产生5-15个id冲突。
附上我的代码,您是否知道我在做错什么,还是可以建议一种更好的方法?谢谢。
import java.io.Serializable;
import java.util.concurrent.atomic.AtomicLong;
import java.util.concurrent.locks.StampedLock;
import org.hibernate.engine.spi.SessionImplementor;
import org.hibernate.id.IntegralDataTypeHolder;
import org.hibernate.id.SequenceGenerator;
public class HighConcurrencySequenceGenerator extends SequenceGenerator
{
private StampedLock lock = new StampedLock();
private AtomicLong sequenceValue; // the current generator value
private IntegralDataTypeHolder lastSourceValue; // last value read from db
private IntegralDataTypeHolder upperLimitValue; // the value to query the db again
@Override
public Serializable generate( SessionImplementor session, Object object )
{
long stamp = this.lock.readLock();
try
{
while ( needsSequenceUpdate() )
{
long ws = this.lock.tryConvertToWriteLock( stamp );
if ( ws != 0L )
{
stamp = ws;
return fetchAndGetNextSequenceValue( session );
}
this.lock.unlockRead( stamp );
stamp = this.lock.writeLock();
}
return getNextSequenceValue();
}
finally
{
this.lock.unlock( stamp );
}
}
private long fetchAndGetNextSequenceValue( SessionImplementor session )
{
this.lastSourceValue = generateHolder( session );
long lastSourceValue = this.lastSourceValue.makeValue()
.longValue();
this.sequenceValue = new AtomicLong( lastSourceValue );
long nextVal = getNextSequenceValue();
this.upperLimitValue = this.lastSourceValue.copy()
.add( this.incrementSize );
return nextVal;
}
private long getNextSequenceValue()
{
long nextVal = this.sequenceValue.getAndIncrement();
return nextVal;
}
private boolean needsSequenceUpdate()
{
return ( this.sequenceValue == null ) || !this.upperLimitValue.gt( this.sequenceValue.get() );
}
}
答案 0 :(得分:1)
这段代码不是线程安全的
this.sequenceValue = new AtomicLong( lastSourceValue );
在最坏的情况下,您最终将获得N个AtomicLong
实例,它们具有相同的
值,其中N是正在运行的线程数。
答案 1 :(得分:0)
我用AtomicLong替换了IntegralDataTypeHolder upperLimitValue,解决了这个问题。