package com.lee.utils; import redis.clients.jedis.Jedis; import redis.clients.jedis.JedisPool; import redis.clients.jedis.JedisPoolConfig; public final class RedisPool { //Redis服務器IP private static String ADDR = "127.0.0.1"; //Redis的端口號 private static Integer PORT = 6379; //訪問密碼 private static String AUTH = "12345"; //可用鏈接實例的最大數目,默認爲8; //若是賦值爲-1,則表示不限制,若是pool已經分配了maxActive個jedis實例,則此時pool的狀態爲exhausted(耗盡) private static Integer MAX_TOTAL = 1024; //控制一個pool最多有多少個狀態爲idle(空閒)的jedis實例,默認值是8 private static Integer MAX_IDLE = 200; //等待可用鏈接的最大時間,單位是毫秒,默認值爲-1,表示永不超時。 //若是超過等待時間,則直接拋出JedisConnectionException private static Integer MAX_WAIT_MILLIS = 10000; private static Integer TIMEOUT = 10000; //在borrow(用)一個jedis實例時,是否提早進行validate(驗證)操做; //若是爲true,則獲得的jedis實例均是可用的 private static Boolean TEST_ON_BORROW = true; private static JedisPool jedisPool = null; /** * 靜態塊,初始化Redis鏈接池 */ static { try { JedisPoolConfig config = new JedisPoolConfig(); /*注意: 在高版本的jedis jar包,好比本版本2.9.0,JedisPoolConfig沒有setMaxActive和setMaxWait屬性了 這是由於高版本中官方廢棄了此方法,用如下兩個屬性替換。 maxActive ==> maxTotal maxWait==> maxWaitMillis */ config.setMaxTotal(MAX_TOTAL); config.setMaxIdle(MAX_IDLE); config.setMaxWaitMillis(MAX_WAIT_MILLIS); config.setTestOnBorrow(TEST_ON_BORROW); jedisPool = new JedisPool(config,ADDR,PORT,TIMEOUT,AUTH); } catch (Exception e) { e.printStackTrace(); } } /** * 獲取Jedis實例 * @return */ public synchronized static Jedis getJedis(){ try { if(jedisPool != null){ Jedis jedis = jedisPool.getResource(); return jedis; }else{ return null; } } catch (Exception e) { e.printStackTrace(); return null; } } public static void returnResource(final Jedis jedis){ //方法參數被聲明爲final,表示它是隻讀的。 if(jedis!=null){ // jedisPool.returnResource(jedis); //jedis.close()取代jedisPool.returnResource(jedis)方法將3.0版本開始 jedis.close(); } } }
mainredis
public static void main(String[] args) { RedisPool.getJedis().set("name","lee"); // RedisPool.getJedis().del("name"); System.out.println("show:"+RedisPool.getJedis().get("name")); }
非鏈接池鏈接服務器
public static void main(String[] args) { //鏈接本地的 Redis 服務 Jedis jedis = new Jedis("127.0.0.1", 6379); //權限認證 jedis.auth("12345"); System.out.println("鏈接成功"); //設置 redis 字符串數據 // jedis.set("test", "redis-test"); // 獲取存儲的數據並輸出 System.out.println("redis 存儲的字符串爲: "+ jedis.get("test")); }