溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊(cè)×
其他方式登錄
點(diǎn)擊 登錄注冊(cè) 即表示同意《億速云用戶(hù)服務(wù)條款》

Java使用Jedis操作Redis服務(wù)器的實(shí)例代碼

發(fā)布時(shí)間:2020-10-26 06:57:20 來(lái)源:腳本之家 閱讀:153 作者:Zee 欄目:編程語(yǔ)言

這幾天Java項(xiàng)目中需要用到Redis,于是學(xué)習(xí)了一下使用Jedis來(lái)操作Redis服務(wù)器的相關(guān)知識(shí),下面為具體的配置和代碼。

1、Maven中配置Jedis

在maven項(xiàng)目的pom.xml中添加依賴(lài)

<dependencies>
 <dependency>
 <groupId>redis.clients</groupId>
 <artifactId>jedis</artifactId>
 <version>2.9.0</version>
 <type>jar</type>
 <scope>compile</scope>
 </dependency>
</dependencies>

2、簡(jiǎn)單應(yīng)用

Jedis jedis = new Jedis("localhost");
jedis.set("foo", "bar");
String value = jedis.get("foo");

3、JedisPool的實(shí)現(xiàn)

創(chuàng)建Jedis連接池:

JedisPoolConfig config= new JedisPoolConfig();// Jedis池配置文件
config.setMaxTotal(1024); // 最大連接實(shí)例數(shù)
config.setMaxIdle(200); // 最大閑置實(shí)例數(shù)
config.setMaxWaitMillis(15000); // 等待可用連接的最大時(shí)間
config.setTestOnBorrow(true); //
JedisPool pool = new JedisPool(config,ADDR,PORT,TIMEOUT,AUTH); // 創(chuàng)建一個(gè)Jedis連接池

從連接池中取出實(shí)例數(shù):

Jedis jedis = pool.getResource(); // 取出實(shí)例
jedis.set("foo","bar");
jedis.close(); // 歸還實(shí)例資源給連接池

4、使用pipeline批量操作

由于Redis是單線程,因此上述對(duì)redis的操作模式均為:請(qǐng)求-響應(yīng),請(qǐng)求響應(yīng)….。下一次請(qǐng)求必須等上一次請(qǐng)求響應(yīng)回來(lái)之后才可以。在Jedis中使用管道可以改變這種模式,客戶(hù)算一次發(fā)送多個(gè)命令,無(wú)需等待服務(wù)器的返回,即請(qǐng)求,請(qǐng)求,請(qǐng)求,響應(yīng),響應(yīng),響應(yīng)這種模式。這樣一來(lái)大大減小了影響性能的關(guān)鍵因素:網(wǎng)絡(luò)返回時(shí)間。

具體操作如下:

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);
}

簡(jiǎn)單的測(cè)試一下,運(yùn)行10000個(gè)數(shù)據(jù)的存儲(chǔ)花費(fèi)93ms左右的時(shí)間。而采用請(qǐng)求-響應(yīng),請(qǐng)求-響應(yīng)的模式,操作如下:

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);
}

測(cè)試時(shí)間826ms??梢?jiàn)大量的時(shí)間均花費(fèi)在網(wǎng)絡(luò)交互上,Redis本身的處理能力還是很強(qiáng)的。

以上就是本文的全部?jī)?nèi)容,希望對(duì)大家的學(xué)習(xí)有所幫助,也希望大家多多支持億速云。

向AI問(wèn)一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如果涉及侵權(quán)請(qǐng)聯(lián)系站長(zhǎng)郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI