標籤:
Redis 簡要描述:
1. Redis 是啥 ?
Redis 英文名稱全稱為: Remote Dictionary Server ,中譯為遠程字典伺服器。 是一款區分於磁碟資料庫如(Mysql)的採用Key-Value索引值對的字典結構的快取資料庫。
2. Redis有什麼作用?
Redis作為一款記憶體資料庫,其最大的有點就是高速,對於那些高頻訪問的資料,進行加緩衝。Redis載入緩衝的時候使用的LRU機制,對於熱點資料將會持續保留,其他的將會被淘汰。
Redis涉及到的LRU簡要源碼解析演算法實現:
1 package com.mysql.jdbc.util; 2 3 import java.util.LinkedHashMap; 4 import java.util.Map.Entry; 5 6 public class LRUCache extends LinkedHashMap { 7 private static final long serialVersionUID = 1L; 8 protected int maxElements; 9 10 public LRUCache(int maxSize) {11 super(maxSize, 0.75F, true);12 this.maxElements = maxSize;13 }14 15 protected boolean removeEldestEntry(Entry eldest) {16 return this.size() > this.maxElements;17 }18 }
註解: Lru演算法使用Java jdk提供的LinkedHashMap實現
View Code
Redis如何使用java是測試案例:
使用Maven配置pom.xml
View Code
1 <!--Redis cache -->2 <dependency>3 <groupId>redis.clients</groupId>4 <artifactId>jedis</artifactId>5 <version>${redis.clients.version}</version>6 <type>jar</type>7 <scope>compile</scope>8 </dependency>
window環境下測試流程:
window Redis版下載環境: https://github.com/MSOpenTech/redis
Redis 有五個執行程式:
redis-server |
server伺服器,需要啟動它 |
redis-client |
redis命令列用戶端 |
redis-benchmark |
效能測試工具 |
redis-check-aof/rdb |
rdb/aof修複工具,aof ->AppendOnly File |
啟動 redis-server伺服器,出現如下介面
java 代碼測試
1 package com.hbut.util; 2 3 import com.google.common.collect.Maps; 4 import org.junit.Before; 5 import org.junit.Test; 6 import redis.clients.jedis.Jedis; 7 import redis.clients.jedis.JedisPool; 8 import redis.clients.jedis.JedisPoolConfig; 9 10 import java.io.*;11 import java.util.Iterator;12 import java.util.List;13 import java.util.Map;14 15 /**16 * Created by XiJun.Gong on 14-2-28.17 */18 public class TestRedis {19 20 21 JedisPool pool;22 Jedis jedis;23 24 /**25 * connection26 */27 @Before28 public void init() {29 pool = new JedisPool(new JedisPoolConfig(), "localhost");30 jedis = pool.getResource();31 //jedis.auth("*******"); //密碼驗證32 }33 34 35 /**36 * 儲存字串,設定失效時間37 */38 @Test39 public void RedisTest() throws InterruptedException {40 jedis.set("google", "entry1");41 System.out.println(jedis.get("google"));42 jedis.expire("google", 3); //設定到期時間43 Thread.sleep(5000);44 System.out.println(jedis.get("google"));45 }46 47 48 /**49 * CRUD for String50 */51 @Test52 public void redisCRUD() {53 /**add**/54 jedis.set("key", "google");55 System.out.println(jedis.get("key"));56 /**delete**/57 jedis.del("key");58 System.out.println(jedis.get("key"));59 /*modify*/60 jedis.append("key", "Qunar.com");61 System.out.println(jedis.get("key"));62 /**another method**/63 jedis.set("key", "Tencent");64 System.out.println(jedis.get("key"));65 66 /**Multi value mapping key**/67 jedis.mset("key", "google", "tencent", "Qunar");68 System.out.println(jedis.mget("key", "google"));69 70 /*for map*/71 Map<String, String> user = Maps.newHashMap();72 user.put("huifeidmeng", "Qunar");73 jedis.hmset("user", user);74 List<String> rsmap = jedis.hmget("user", "key");75 System.out.println(rsmap);76 77 }78 79 }
Redis入門學習筆記一