这几天Java项目中需要用到Redis,于是学习了一下使用Jedis来操作Redis服务器的相关知识,下面为具体的配置和代码。
1、Maven中配置Jedis
在maven项目的pom.xml中添加依赖
1
2
3
4
5
6
7
8
9
|
< dependencies >
< dependency >
< groupId >redis.clients</ groupId >
< artifactId >jedis</ artifactId >
< version >2.9.0</ version >
< type >jar</ type >
< scope >compile</ scope >
</ dependency >
</ dependencies >
|
2、简单应用
1
2
3
|
Jedis jedis = new Jedis( "localhost" );
jedis.set( "foo" , "bar" );
String value = jedis.get( "foo" );
|
3、JedisPool的实现
创建Jedis连接池:
1
2
3
4
5
6
|
JedisPoolConfig config= new JedisPoolConfig(); // Jedis池配置文件
config.setMaxTotal( 1024 ); // 最大连接实例数
config.setMaxIdle( 200 ); // 最大闲置实例数
config.setMaxWaitMillis( 15000 ); // 等待可用连接的最大时间
config.setTestOnBorrow( true ); //
JedisPool pool = new JedisPool(config,ADDR,PORT,TIMEOUT,AUTH); // 创建一个Jedis连接池
|
从连接池中取出实例数:
1
2
3
|
Jedis jedis = pool.getResource(); // 取出实例
jedis.set( "foo" , "bar" );
jedis.close(); // 归还实例资源给连接池
|
4、使用pipeline批量操作
由于Redis是单线程,因此上述对redis的操作模式均为:请求-响应,请求响应….。下一次请求必须等上一次请求响应回来之后才可以。在Jedis中使用管道可以改变这种模式,客户算一次发送多个命令,无需等待服务器的返回,即请求,请求,请求,响应,响应,响应这种模式。这样一来大大减小了影响性能的关键因素:网络返回时间。
具体操作如下:
1
2
3
4
5
6
7
8
9
|
Jedis jedis = new Jedis( "localhost" , 6379 , 15000 );
Pipeline pip = jedis.pipelined();
Map<String,String> mp = new HashMap<String, String>();
long start = System.currentTimeMillis();
for ( int i = 0 ; i < 10000 ; i++){
mp.clear();
mp.put( "k" +i, "v" +i);
pip.hmset( "keys" +i,mp);
}
|
简单的测试一下,运行10000个数据的存储花费93ms左右的时间。而采用请求-响应,请求-响应的模式,操作如下:
1
2
3
4
5
6
7
8
|
Jedis jedis = new Jedis( "localhost" , 6379 , 15000 );
Map<String,String> mp = new HashMap<String, String>();
long start = System.currentTimeMillis();
for ( int i = 0 ; i < 10000 ; i++){
mp.clear();
mp.put( "k" +i, "v" +i);
jedis.hmset( "keys" +i,mp);
}
|
测试时间826ms。可见大量的时间均花费在网络交互上,Redis本身的处理能力还是很强的。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:http://zcheng.ren/2017/08/08/UseJedisToOperateRedis/?utm_source=tuicool&utm_medium=referral