どこが足りないのか教えてください。
DataPool内にCacheBuilderによってキャッシュビルドがあります。DataPoolは、さまざまなスレッドが取得して操作できるインスタンスのシングルトンオブジェクトです。現在、データを生成し、これを上記のキャッシュに追加する単一のスレッドがあります。
コードの関連部分を表示するには:
private InputDataPool(){
cache=CacheBuilder.newBuilder().expireAfterWrite(1000, TimeUnit.NANOSECONDS).removalListener(
new RemovalListener(){
{
logger.debug("Removal Listener created");
}
public void onRemoval(RemovalNotification notification) {
System.out.println("Going to remove data from InputDataPool");
logger.info("Following data is being removed:"+notification.getKey());
if(notification.getCause()==RemovalCause.EXPIRED)
{
logger.fatal("This data expired:"+notification.getKey());
}else
{
logger.fatal("This data didn't expired but evacuated intentionally"+notification.getKey());
}
}}
).build(new CacheLoader(){
@Override
public Object load(Object key) throws Exception {
logger.info("Following data being loaded"+(Integer)key);
Integer uniqueId=(Integer)key;
return InputDataPool.getInstance().getAndRemoveDataFromPool(uniqueId);
}
});
}
public static InputDataPool getInstance(){
if(clsInputDataPool==null){
synchronized(InputDataPool.class){
if(clsInputDataPool==null)
{
clsInputDataPool=new InputDataPool();
}
}
}
return clsInputDataPool;
}
上記のスレッドから行われる呼び出しは、
while(true){
inputDataPool.insertDataIntoPool(inputDataPacket);
//call some logic which comes with inputDataPacket and sleep for 2 seconds.
}
inputDataPool.insertDataIntoPoolは次のようになります
inputDataPool.insertDataIntoPool(InputDataPacket inputDataPacket){
cache.get(inputDataPacket.getId());
}
ここで問題となるのは、キャッシュ内の要素は1000ナノ秒後に期限切れになるはずです。したがって、inputDataPool.insertDataIntoPoolが2回呼び出されると、最初に挿入されたデータは、呼び出しが終わった後に期限切れになっている必要があるため、退避されます。挿入から2秒後、それに応じて削除リスナーを呼び出す必要があります。しかし、これは起こっていません。キャッシュの統計を調べたところ、cache.get(id)が呼び出されても、evictionCountは常にゼロです。
しかし重要なのは、inputDataPool.insertDataIntoPoolを拡張する場合
inputDataPool.insertDataIntoPool(InputDataPacket inputDataPacket){
cache.get(inputDataPacket.getId());
try{
Thread.sleep(2000);
}catch(InterruptedException ex){ex.printStackTrace();
}
cache.get(inputDataPacket.getId())
}
次に、削除リスナーが呼び出された状態で、期待どおりに削除が行われます。
今、私はそのような行動を期待する何かを逃している瞬間に非常に無知です。あなたが何かを見たら、私が見るのを手伝ってください。
PSタイプミスは無視してください。また、これはCacheBuilder機能のテスト段階にあるため、チェックは行われず、ジェネリックは使用されていません。
ありがとう