我收到以下错误:
Exception in thread "main" java.lang.ClassCastException
at java.util.concurrent.atomic.AtomicReferenceFieldUpdater$AtomicReferenceFieldUpdaterImpl.<init>(AtomicReferenceFieldUpdater.java:336)
at java.util.concurrent.atomic.AtomicReferenceFieldUpdater.newUpdater(AtomicReferenceFieldUpdater.java:109)
at org.telegram.bot.util.FieldTimer.<init>(FieldTimer.java:27)
at org.telegram.bot.util.FieldTimer.<init>(FieldTimer.java:19)
at org.telegram.bot.util.FieldTimer.main(FieldTimer.java:50)
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.lang.reflect.Method.invoke(Method.java:497)
at com.intellij.rt.execution.application.AppMain.main(AppMain.java:140)
将AtomicReferenceFieldUpdater
用于泛型类型。
我完全感到困惑,我不知道为什么会出现这样的错误。
我正在使用的代码:
public final class FieldTimer<V> {
private volatile V value;
private final V defaultValue;
private final long resetTimeout;
private final AtomicLong lastSet;
private final AtomicReferenceFieldUpdater<FieldTimer, V> updater;
public FieldTimer(V value, Class<V> type, long resetTimeout, TimeUnit unit) {
this(value, value, type, resetTimeout, unit);
}
public FieldTimer(V value, V defaultValue, Class<V> type, long resetTimeout, TimeUnit unit) {
this.value = value;
this.defaultValue = defaultValue;
this.resetTimeout = unit.toMillis(resetTimeout);
lastSet = new AtomicLong(System.currentTimeMillis());
updater = AtomicReferenceFieldUpdater.newUpdater(FieldTimer.class, type, "value");
}
public V get() {
return System.currentTimeMillis() - lastSet.get() >= resetTimeout
? defaultValue
: value;
}
public void set(V value) {
updater.set(this, value);
lastSet.set(System.currentTimeMillis());
}
public boolean compareAndSet(V expect, V update) {
boolean set = updater.compareAndSet(this, expect, update);
if (set) {
lastSet.set(System.currentTimeMillis());
}
return set;
}
}
此代码行中出现异常:
updater = AtomicReferenceFieldUpdater.newUpdater(FieldTimer.class, type, "value");
但是,如果我把它改成这样的话:
public final class LongFieldTimer {
private volatile Long value;
...
public LongFieldTimer(Long value, Long defaultValue, long resetTimeout, TimeUnit unit) {
...
updater = AtomicReferenceFieldUpdater.newUpdater(LongFieldTimer.class, Long.class, "value");
}
}
那么就没有错误:| (但为什么???)
是什么导致了这个问题?以及如何解决它?
感谢。
答案 0 :(得分:1)
你的领域
private volatile V value;
由于type erasure,的类型为Object
。 AtomicReferenceFieldUpdater#newUpdater
的javadoc声明它会抛出
ClassCastException
- 如果字段类型错误
您可能已将Long.class
或long.class
作为type
参数的参数传递。它期待Object.class
。
在第二个示例中,该字段明确定义为Long
private volatile Long value;
因此Long.class
将起作用,因为这是预期字段的类型。