從零開始···spring整合redis配置
阿新 • • 發佈:2019-01-23
想在spring中整合redis,首先是下載安裝redis。
redis官方版本是linux環境下的,但是有一個微軟維護的版本是適用於windows環境的。可以去github上下載:https://github.com/MicrosoftArchive/redis
下載壓縮包後解壓,然後在dos命令視窗中,在解壓目錄下鍵入redis-server.exe就可以啟動redis
另啟一個視窗,鍵入redis-cli.exe -h 127.0.0.1 -p 6379可以開始使用redis
(圖中因為已經配置了環境變數,無需轉到檔案目錄下)
接下來就是redis的配置:
1.依賴包
<!-- https://mvnrepository.com/artifact/redis.clients/jedis -->
<dependency>
<groupId>redis.clients</groupId>
<artifactId>jedis</artifactId>
<version>2.9.0</version>
</dependency>
<!-- https://mvnrepository.com/artifact/org.springframework.data/spring-data-redis -->
<dependency >
<groupId>org.springframework.data</groupId>
<artifactId>spring-data-redis</artifactId>
<version>1.7.2.RELEASE</version>
</dependency>
這裡需要注意版本的選擇,spring-data-redis開始選擇的是2.0版本,但是啟動後報錯,查詢發現可能是jar包的衝突。後來換了舊一點的版本就好了。
2.配置檔案
application-reids.xml
<!-- jedis 配置 -->
<bean id="poolConfig" class="redis.clients.jedis.JedisPoolConfig" >
<property name="maxIdle" value="${redis.maxIdle}" />
<property name="maxWaitMillis" value="${redis.maxWait}" />
<property name="testOnBorrow" value="${redis.testOnBorrow}" />
</bean >
<!-- redis伺服器中心 -->
<bean id="connectionFactory" class="org.springframework.data.redis.connection.jedis.JedisConnectionFactory" >
<property name="poolConfig" ref="poolConfig" />
<property name="port" value="${redis.port}" />
<property name="hostName" value="${redis.host}" />
<property name="password" value="${redis.password}" />
<property name="timeout" value="${redis.timeout}" ></property>
</bean >
<bean id="redisTemplate" class="org.springframework.data.redis.core.RedisTemplate" >
<property name="connectionFactory" ref="connectionFactory" />
<property name="keySerializer" >
<bean class="org.springframework.data.redis.serializer.StringRedisSerializer" />
</property>
<property name="valueSerializer" >
<bean class="org.springframework.data.redis.serializer.JdkSerializationRedisSerializer" />
</property>
</bean >
然後是redis.properties
redis.host=127.0.0.1
redis.port=6379
redis.password=
redis.maxIdle=100
redis.maxActive=300
redis.maxWait=1000
redis.testOnBorrow=true
redis.timeout=100000
這裡沒有密碼,所以空著。連線的是本地的redis,所以host是127.0.0.1。
3.工具類
建立工具類,呼叫RedisTemplate實現相關的資料操作。
@Component
public final class RedisUtil {
@Autowired
private RedisTemplate<Serializable, Object> redisTemplate;
/**
* 寫入快取
*
* @param key
* @param value
* @return
*/
public boolean set(final String key, Object value) {
boolean result = false;
try {
ValueOperations<Serializable, Object> operations = redisTemplate.opsForValue();
operations.set(key, value);
result = true;
} catch (Exception e) {
e.printStackTrace();
}
return result;
}
/**
* 讀取快取
*
* @param key
* @return
*/
public Object get(final String key) {
Object result = null;
ValueOperations<Serializable, Object> operations = redisTemplate.opsForValue();
result = operations.get(key);
return result;
}
}
然後就可以在程式中呼叫工具類實現redis的存取操作。