最初の制限は、AtomicBooleanのマップで実装できます。初期化後にマップのキーを変更しないため、これはおそらく ConcurrentHashMap である必要はありません。完了したら、フィードの値を false にリセットすることを忘れないでください。
checkAndProcessFeed(Feed feed, Map<String, AtomicBoolean> map) {
while(!map.get(feed.type).compareAndSet(false, true)) // assuming the AtomicBooleans were initialized to false
Thread.sleep(500);
}
process(feed); // at this point map.get(feed.type).get() == true
map.get(feed.type).set(false); // reset the AtomicBoolean to false
}
他の 2 つの制限は、クライアント数とクライアントごとのファイルを維持するために使用されるAtomicIntegerで実装できます。処理が完了するとデクリメントし、compare-and-set でインクリメントして新しいクライアント/ファイルを開始します。
final int maxClient = 5;
AtomicInteger clientCount = new AtomicInteger(0);
ConcurrentLinkedQueue<Client> queue = new ConcurrentLinkedQueue<>(); // hold waiting clients
while(true) {
int temp = clientCount.intValue();
if(!queue.isEmpty() && clientCount.compareAndSet(temp, temp + 1) { // thread-safe increment
process(clients.poll()); // don't forget to decrement the clientCount when the processing finishes
} else Thread.sleep(500);
}