1

クールダウン タイマーから ConcurrentModificationException を取得しています。次のように、スレッドを使用して毎秒値を減らします。

public class CoolDownTimer implements Runnable {
    @Override
    public void run() {
        for (String s : playerCooldowns.keySet()) {
            playerCooldowns.put(s, playerCooldowns.get(s) - 20);
            if (playerCooldowns.get(s) <= 0) {
                playerCooldowns.remove(s);
            }
        }
    }

}

したがって、毎秒、すべてのプレーヤーのクールダウンが 20 ずつ減少するはずですが、問題は、特に多くの人がオンラインになっている場合、プログラムの実行中に数時間ごとに CME を取得することです. まだリストを変更している場合、現在の操作が完了するまで待機し、一種の変更キューを作成するようにするにはどうすればよいですか? ありがとう!スタック トレースは次のとおりです。

2012-06-18 20:59:05 [WARNING] Task of 'SurvivorsClasses' generated an exception
java.util.ConcurrentModificationException
at java.util.HashMap$HashIterator.nextEntry(HashMap.java:839)
at java.util.HashMap$KeyIterator.next(HashMap.java:874)
at me.zachoooo.survivorclasses.CoolDownManager$CoolDownTimer.run(CoolDownManager.java:13)
at org.bukkit.craftbukkit.scheduler.CraftScheduler.mainThreadHeartbeat(CraftScheduler.java:126)
at net.minecraft.server.MinecraftServer.w(MinecraftServer.java:533)
at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:459)

13行目は for ループの始まりです...

4

3 に答える 3

3

foreach ループを使用している場合、コレクションを変更することはできません。

ただし、 を反復処理して、必要なすべてを実行できますMap.entrySet()

public void run() {
    for (Iterator<Map.Entry<String,Integer>> i = playerCooldowns.entrySet().iterator(); i.hasNext();) {
        Map.Entry<String,Integer> entry = i.next();
        entry.setValue(entry.getValue() - 20); // update via the Map.Entry
        if (entry.getValue() <= 0) {
            i.remove(); // remove via the iterator
        }
    }
}
于 2012-06-19T04:31:55.097 に答える
1

の内容を変更しようとすると、同時にAConcurrentModificationExceptionがスローされます。CollectionIterating

詳細については、これこれを読んでください。

うまくいく場合がある理由は、ドキュメントに明確に記載されています。

The iterators returned by all of this class's "collection view methods" are fail-fast: if 
the map is structurally modified at any time after the iterator is created, in any way 
except through the iterator's own remove method, the iterator will throw a 
ConcurrentModificationException. Thus, in the face of concurrent modification, the 
iterator fails quickly and cleanly, rather than risking arbitrary, non-deterministic 
behavior at an undetermined time in the future.

Note that the fail-fast behavior of an iterator cannot be guaranteed as it is, generally 
speaking, impossible to make any hard guarantees in the presence of unsynchronized 
concurrent modification. Fail-fast iterators throw ConcurrentModificationException on a 
best-effort basis.
于 2012-06-19T04:22:44.993 に答える
0

Unlike ArrayCollectionsは、実行時ではなく、コンパイル時のみチェックされます。これが、ループ内のput()やremove()のようにコレクションを変更できない理由です。

于 2012-06-19T04:35:33.377 に答える