jedis就是集成了redis的一些命令操做,封裝了redis的java客戶端。java
使用jedis須要引入jedis的jar包,下面提供了maven依賴redis
jedis.jar是封裝的包,commons-pool2.jar是管理鏈接的包數據庫
1 <!-- https://mvnrepository.com/artifact/redis.clients/jedis 客戶端--> 2 <dependency> 3 <groupId>redis.clients</groupId> 4 <artifactId>jedis</artifactId> 5 <version>2.9.0</version> 6 </dependency> 7 8 <!-- https://mvnrepository.com/artifact/org.apache.commons/commons-pool2 --> 9 <dependency> 10 <groupId>org.apache.commons</groupId> 11 <artifactId>commons-pool2</artifactId> 12 <version>2.5.0</version> 13 </dependency>
一、新建一個maven工程,引入上面的依賴,編寫測試類,以下apache
1 package com.test.jedis; 2 3 import org.junit.Test; 4 5 import redis.clients.jedis.Jedis; 6 import redis.clients.jedis.JedisPool; 7 import redis.clients.jedis.JedisPoolConfig; 8 9 public class TestJedisDemo1 { 10 11 /** 12 * 單實例鏈接redis數據庫 13 * @Description TODO 14 * @author H__D 15 * @date 2018年7月5日 16 */ 17 @Test 18 public void run1() { 19 20 Jedis jedis = new Jedis("127.0.0.1", 6379); 21 jedis.set("sex", "男"); 22 System.out.println(jedis.get("sex")); 23 } 24 25 /** 26 * Jedis鏈接池 27 * @Description TODO 28 * @author H__D 29 * @date 2018年7月5日 30 */ 31 @Test 32 public void run2() { 33 34 // 一、設置鏈接池的配置對象 35 JedisPoolConfig config = new JedisPoolConfig(); 36 // 設置池中最大的鏈接數量(可選) 37 config.setMaxTotal(50); 38 // 設置空閒時池中保有的最大鏈接數(可選) 39 config.setMaxIdle(10); 40 41 // 二、設置鏈接池對象 42 JedisPool pool = new JedisPool(config, "127.0.0.1", 6379); 43 44 // 三、從池中獲取鏈接對象 45 Jedis jedis = pool.getResource(); 46 System.out.println(jedis.get("sex")); 47 48 // 四、鏈接池歸還 49 jedis.close(); 50 } 51 }
二、編寫鏈接池工具類maven
1 package com.test.jedis; 2 3 import redis.clients.jedis.Jedis; 4 import redis.clients.jedis.JedisPool; 5 import redis.clients.jedis.JedisPoolConfig; 6 7 public class JedisUtils { 8 9 // 一、定義一個鏈接池對象 10 private final static JedisPool POOL; 11 12 static { 13 // 初始化 14 // 一、設置鏈接池的配置對象 15 JedisPoolConfig config = new JedisPoolConfig(); 16 // 設置池中最大的鏈接數量(可選) 17 config.setMaxTotal(50); 18 // 設置空閒時池中保有的最大鏈接數(可選) 19 config.setMaxIdle(10); 20 21 // 二、設置鏈接池對象 22 POOL = new JedisPool(config, "127.0.0.1", 6379); 23 } 24 25 /** 26 * 從鏈接池中獲取鏈接 27 * @Description TODO 28 * @author H__D 29 * @date 2018年7月5日 30 * @return 31 */ 32 public static Jedis getJedis() { 33 return POOL.getResource(); 34 } 35 }