缓存应用服务器中的数据库查询

时间:2012-01-11 10:49:09

标签: mysql spring jdbctemplate

我有使用spring jdbc模板的webapps,现在,想要提高我的应用程序的性能,所以我想在我的Tomcat服务器中缓存一些DATABASE QUERY的结果。如何实现dis概念。

谢谢

2 个答案:

答案 0 :(得分:0)

Spring 3.1引入了缓存抽象。您应该可以使用它来缓存DAO方法调用的结果。

文档为here,它包含在Spring博客here中。

答案 1 :(得分:0)

我有它工作,但Alex是正确的,有几种不同的方法来配置它,这取决于你想要的缓存后端。

对于缓存配置,我选择了ehcache,因为它配置简单,但具有配置ttl / etc的强大功能。

配置:

<beans xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
       xmlns="http://www.springframework.org/schema/beans"
       xmlns:p="http://www.springframework.org/schema/p"
       xmlns:cache="http://www.springframework.org/schema/cache"
       xsi:schemaLocation="
       http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.1.xsd
       http://www.springframework.org/schema/cache http://www.springframework.org/schema/cache/spring-cache.xsd">

    <cache:annotation-driven />
    <bean id="cacheManager" class="org.springframework.cache.ehcache.EhCacheCacheManager">
        <property name="cacheManager"><ref local="ehcache"/></property>
    </bean>
    <bean id="ehcache" class="org.springframework.cache.ehcache.EhCacheManagerFactoryBean"
          p:configLocation="classpath:ehcache.xml"/>

</beans>

ehcache.xml中:

<?xml version="1.0" encoding="UTF-8"?>
<ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:noNamespaceSchemaLocation="http://ehcache.org/ehcache.xsd"
    updateCheck="false" monitoring="autodetect"
    dynamicConfig="true">

<!-- http://ehcache.org/documentation/configuration.html -->
<!-- Also See org.springframework.cache.ehcache.EhCacheFactoryBean -->

    <diskStore path="java.io.tmpdir"/>
    <cache name="resourceBundle"
           overflowToDisk="false"
           eternal="false"
           maxElementsInMemory="500"
           timeToIdleSeconds="86400"
           timeToLiveSeconds="86400"/>

</ehcache>

我在junit环境中运行ehcache 2.5时出现问题,因为不允许同时运行重复名称的缓存,并且它们似乎没有立即关闭,但这是我的pom条目:

    <dependency>
        <groupId>net.sf.ehcache</groupId>
        <artifactId>ehcache-core</artifactId>
        <version>2.4.7</version>
    </dependency>

最后,在您的存储库中,执行以下操作:

@Repository
public class someStore {
    @PersistenceContext
    EntityManager em;

    //The value here needs to match the name of the cache configured in your ehcache xml.  You can also use Spel expressions in your key
    @Cachable(value = "resourceBundle", key = "#basename+':'+#locale.toString()")
    public ResourceBundle getResourceBundle(final String basename, final Locale locale){
        ...
    }

    @CacheEvict(value = "resourceBundle", key = "#basename+':'+#locale.toString()")
    public void revertResourceBundle(final String basename, final Locale locale){
        ...
    }
}
相关问题