0

我目前正在使用 Spring 3.1 Cache 使用 EhCache 来实现方法缓存。考虑下面的代码片段:

@Cacheable("items")
public Item findByPK(int itemID) {
    String sql = "SELECT * FROM ITEM WHERE ITEM_ID = ?";
    Item item = getJdbcTemplate().queryForObject(sql, new Object[]{itemID}, new ItemRowMapper());
    return item;
}

@Cacheable("items")
public List<Item> findAll() {
    String sql = "SELECT * FROM ITEM";
    List<Item> items = getJdbcTemplate().query(sql,new ItemRowMapper());
    return items;
}

如果我调用 findByPK() 它首先访问数据库,然后再访问缓存,因此方法缓存有效。findAll() 同上。但是,有什么方法可以指示 spring 让 findByPK() 调用识别 findAll() 返回的结果?

4

1 回答 1

1

这是一个主要的 hack,但它会给你你想要的功能:

@Cacheable("items")
public Item findByPK(int itemID) {
    String sql = "SELECT * FROM ITEM WHERE ITEM_ID = ?";
    Item item = getJdbcTemplate().queryForObject(sql, new Object[]{itemID}, new ItemRowMapper());
    return item;
}

@Cacheable("items")
public List<Item> findAll() {
    String sql = "SELECT * FROM ITEM";
    List<Item> items = getJdbcTemplate().query(sql,new ItemRowMapper());
    for (Item item : items){
        removeThenAddToCache(item.getID(), item);
    }
    return items;
}

@CacheEvict(value = "items", key="#itemID")
public void removeThenAddToCache(int itemID, Item item) {
    addToCache(item);
}

@Cacheable(value = "items", key="#itemID")
public Item addToCache(int itemID, Item item) {
    return item;
}
于 2012-02-15T20:09:02.007 回答