Redis之客户端连接方式

Reis的客户端连接方式有如下几种:

  1.基本方式

  

/*** 简单基本方式调用*/@Testpublic void test1JedisStandardClient() {Jedis jedis = new Jedis("192.168.56.101", 6379);jedis.set("123", "first line is null");String valueString = jedis.get("123");System.out.println("the result of redis statement is :"+valueString);System.out.println("the result of redis statement is :"+jedis.get("111"));jedis.close();}

 

  2.事务方式(基于乐观锁的事务,事务内的指令即使有执行失败的也不会回滚已经执行的,也不会影响事务内后续的指令的执行)

  主要有:watch,multi,exec,unwatch,discard等指令

  

/*** 事务连接2 redis的事务一般与watch组合使用*/@Testpublic void test3JredisTransactionAndWatch(){JedisPool jedisPool = new JedisPool("192.168.56.101", 6379);Jedis jedis = jedisPool.getResource();//开始观察“test2”String watch = jedis.watch("test2");System.out.println(Thread.currentThread().getName()+"--"+watch);//开启事务Transaction tx = jedis.multi();tx.set("test2", "I am is tiger");try {Thread.sleep(10000);} catch (InterruptedException e) {// TODO Auto-generated catch block
            e.printStackTrace();}//执行事务List list =tx.exec();System.out.println(Thread.currentThread().getName()+"exe list :"+list);//结束观察
        jedis.unwatch();}/*** 事务连接2 redis的事务一般与watch组合使用*/@Testpublic void test3JedisTransactionAndWatch1(){JedisPool jedisPool = new JedisPool("192.168.56.101", 6379);Jedis jedis = jedisPool.getResource();//开始观察“test2”String watch = jedis.watch("test2");System.out.println(Thread.currentThread().getName()+"--"+watch);//开启事务Transaction tx = jedis.multi();tx.set("test2", "I am is snake");tx.set("test3", "I am is rocker");//事务执行List list= tx.exec();System.out.println(Thread.currentThread().getName()+"exe list :"+list);//结束观察
        jedis.unwatch();}

 

  3.集群方式(实际生产环境中推荐使用,高可用,数据分片,缺点集群不支持事务操作)

  

/*** 配置文件方式的主从集群模式*/@Testpublic void test4JedisClusterBySpring(){JedisCluster cluster = (JedisCluster) applicationContext.getBean("jedisCluster");cluster.set("s5", "555");String result = cluster.get("s5");System.out.println("the s5 is :"+result);System.out.println("the s4 is :"+cluster.get("s4"));System.out.println("the s3 is :"+cluster.get("s3"));System.out.println("the s2 is :"+cluster.get("s2"));cluster.close();}
  
/*** 主从集群模式*/@Testpublic void test4JedisCluster(){//创建clusterSet<HostAndPort> nodeSet = new HashSet<HostAndPort>();nodeSet.add(new HostAndPort("192.168.56.101", 7001));nodeSet.add(new HostAndPort("192.168.56.101", 7002));nodeSet.add(new HostAndPort("192.168.56.101", 7003));nodeSet.add(new HostAndPort("192.168.56.101", 7004));nodeSet.add(new HostAndPort("192.168.56.101", 7005));nodeSet.add(new HostAndPort("192.168.56.101", 7006));nodeSet.add(new HostAndPort("192.168.56.101", 7007));JedisCluster cluster = new JedisCluster(nodeSet);cluster.set("s4", "444");cluster.set("111","光辉岁月");cluster.set("8090","org.springwork.context.support.AbstractApplicationContext prepareRefresh");Map<String, JedisPool> nodes = cluster.getClusterNodes();String result = cluster.get("s4");System.out.println("the s4 is :"+result);System.out.println("the s4 is :"+cluster.get("111"));cluster.close();}

 

  4.哨兵方式(防止单节点宕机故障)

  

/*** 主从的哨兵方式(方便主从架构的故障转移)* master下线后,不需要客户端改变ip和port,应该这种模式是连接哨兵,通过哨兵发现master(推荐)*/@Testpublic void test2JedisClient1(){Set<String> sentinels = new HashSet<String>(16);sentinels.add("192.168.56.101:26379");//集群中所有sentinels的地址sentinels.add("192.168.56.101:26380");sentinels.add("192.168.56.101:26381");JedisPoolConfig config = new JedisPoolConfig();JedisSentinelPool pool = new JedisSentinelPool("mymaster", sentinels,config);Jedis jedis1 = pool.getResource();try{//
            jedis1.set("key","value");String valueString =jedis1.get("key");System.out.println("the result of redis statement is :"+valueString);System.out.println("the result of redis statement is :"+jedis1.get("111"));}catch (Exception e) {System.out.println("the system is broken");} finally {pool.returnResourceObject(jedis1);}pool.close();}

 

  5.管道方式(执行效率高)

/*** 管道方式的连接* 我们需要采用异步方式,一次发送很多指令,不同步等待其返回结果。这样可以取得很好的执行效率。*/@Testpublic void test5JedisPipeline() {Jedis jedis = new Jedis("192.168.56.101", 6379);//创建管道Pipeline pipeline = jedis.pipelined();long start =System.currentTimeMillis();for (int i = 0; i < 100000; i++) {pipeline.set("p"+i, "p"+i);}List list = pipeline.syncAndReturnAll();long end =System.currentTimeMillis();System.out.println("PipeLined Set :"+((end - start)/1000.0)+"seconds");jedis.close();}/*** 管道中事务方式的连接*/@Testpublic void test6JedisPipeline() {Jedis jedis = new Jedis("192.168.56.101", 6379);//创建管道Pipeline pipeline = jedis.pipelined();long start =System.currentTimeMillis();//管道开启事务
        pipeline.multi();for (int i = 0; i < 100000; i++) {pipeline.set("p"+i, "p"+i);}//事务执行
        pipeline.exec();//管道同步List list = pipeline.syncAndReturnAll();long end =System.currentTimeMillis();System.out.println("PipeLined Set :"+((end - start)/1000.0)+"seconds");jedis.close();}

其他

  appliactioncontext.xml如下

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:mvc="http://www.springframework.org/schema/mvc"xmlns:context="http://www.springframework.org/schema/context"xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.2.xsd "><!-- 连接池配置 --><bean id="jedisPoolConfig" class="redis.clients.jedis.JedisPoolConfig"><!-- 最大连接数 --><property name="maxTotal" value="30" /><!-- 最大空闲连接数 --><property name="maxIdle" value="10" /><!-- 每次释放连接的最大数目 --><property name="numTestsPerEvictionRun" value="1024" /><!-- 释放连接的扫描间隔(毫秒) --><property name="timeBetweenEvictionRunsMillis" value="30000" /><!-- 连接最小空闲时间 --><property name="minEvictableIdleTimeMillis" value="1800000" /><!-- 连接空闲多久后释放, 当空闲时间>该值 且 空闲连接>最大空闲连接数 时直接释放 --><property name="softMinEvictableIdleTimeMillis" value="10000" /><!-- 获取连接时的最大等待毫秒数,小于零:阻塞不确定的时间,默认-1 --><property name="maxWaitMillis" value="1500" /><!-- 在获取连接的时候检查有效性, 默认false --><property name="testOnBorrow" value="true" /><!-- 在空闲时检查有效性, 默认false --><property name="testWhileIdle" value="true" /><!-- 连接耗尽时是否阻塞, false报异常,ture阻塞直到超时, 默认true --><property name="blockWhenExhausted" value="false" /></bean><!-- redis集群 --><bean id="jedisCluster" class="redis.clients.jedis.JedisCluster"><constructor-arg index="0"><set><bean class="redis.clients.jedis.HostAndPort"><constructor-arg index="0" value="192.168.56.101"></constructor-arg><constructor-arg index="1" value="7001"></constructor-arg></bean><bean class="redis.clients.jedis.HostAndPort"><constructor-arg index="0" value="192.168.56.101"></constructor-arg><constructor-arg index="1" value="7002"></constructor-arg></bean><bean class="redis.clients.jedis.HostAndPort"><constructor-arg index="0" value="192.168.56.101"></constructor-arg><constructor-arg index="1" value="7003"></constructor-arg></bean><bean class="redis.clients.jedis.HostAndPort"><constructor-arg index="0" value="192.168.56.101"></constructor-arg><constructor-arg index="1" value="7004"></constructor-arg></bean><bean class="redis.clients.jedis.HostAndPort"><constructor-arg index="0" value="192.168.56.101"></constructor-arg><constructor-arg index="1" value="7005"></constructor-arg></bean><bean class="redis.clients.jedis.HostAndPort"><constructor-arg index="0" value="192.168.56.101"></constructor-arg><constructor-arg index="1" value="7006"></constructor-arg></bean></set></constructor-arg><constructor-arg index="1" ref="jedisPoolConfig"></constructor-arg></bean>
</beans>

 

转载于:https://www.cnblogs.com/fengyan20150508/p/8954237.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/414162.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

工作292:修改父子组件传值错误

[Vue warn]: Missing required prop: “title” 在写vue项目中&#xff0c;在子组件中通过props传值的时候&#xff0c;在父组件中没有定义的话就会看到类似的报错&#xff0c; 这个意思是calendar这个组件中通过props传递一个title属性给父组件&#xff0c;并且title属性是必…

MacOS下IDEA设置智能提示不区分大小写

本文只针对&#xff0c;IDEA-2019.2.3版本 目录地址&#xff1a; Edit -> General -> Code Completion -> Match case -> 勾选去掉 截图如下&#xff1a;

工作293:新的打印操作

getAction("/task/" id "/release").then(res > {console.log(res, 8888)if (res.code 404) {this.$message({message: res.msg,type: error});this.dialogVisible false;}

博客园文章方块背景格式

有小伙伴问到方格背景的问题&#xff0c;所以写一篇文章记录我的博客园文章背景是如何制作的。 一、辅助网站1. 一键排版2. 代码主题3. 复制二、 图床设置 一、辅助网站 辅助网址&#xff1a;Md2All 作者提供了一篇帮助文章&#xff1a;玩转公众号Markdown 其实大致看完辅助网址…

day02 pycharm 安装

pycharm 是一款现在比较主流的辅助开发软件 不选择虚拟 所以选择Existing现有的 安装后只需打开当前窗口 默认的 不需要大家新的窗口 使用鼠标滚轮来实现放大缩小 使用debug模式测试代码 转载于:https://www.cnblogs.com/zhaohongyu6688/p/8962253.html

工作294:for[item.key]使用

<el-form label-width"80px"><el-form-item label"项目名"><el-input v-model"project_name" placeholder"请输入项目名"></el-input></el-form-item><el-form-item v-for"item in AweMepro&qu…

eclipse启动项目

今天做的任务不多&#xff0c;没有自己写代码&#xff0c;上午看了些文章&#xff0c;下午我司后台给配了配项目环境&#xff0c;全装C盘了。。以后有我好受的。。 看着后台操作&#xff0c;修改了N多配置&#xff0c;tomcat、redis、zkServer.、Nginx&#xff0c;navcat、ecli…

Error: EACCES: permission denied, mkdir

近期在macos开发环境下使用npm&#xff0c;经常会出现无法mkdir&#xff0c;permission denied的问题&#xff0c;在windows下并没有遇到这种情况。 经查询需要在指令前使用sudo指令&#xff0c;例如&#xff1a;npm install your_module 改为 sudo npm install your_module 下…

工作295:发布逻辑处理

<template><el-dialogtitle"发布":visible.sync"dialogVisible"width"40%":before-close"handleClose"><el-form label-width"80px"><el-form-item label"项目名"><el-input v-model&…

如何写一份优秀的java程序员简历

背景&#xff1a;进入第一家公司已经工作将近两年了&#xff0c;其中闲了一年&#xff0c;在准备自己的简历的时候&#xff0c;有种江郎才尽的感觉&#xff0c;不知道怎么写&#xff0c;看来平时还是要多积累多熟悉。 PS&#xff1a;这里面的分享看完还是很受用的。 简历看得比…

工作296:el-table使用

<template> <el-dialogtitle"修改记录":visible.sync"dialogVisible"width"30%":before-close"handleClose"><el-table:data"tableData"style"width: 100%"><el-table-columnprop"name…

nginx将ip+端口号映射为域名

cd /etccd nginxcd sites-enabledvim 配置文件&#xff08;vim siyin.orange-socail.com)server { listen 80; server_name siyin.orange-social.com; access_log /var/log/nginx/siyin.orange-social.com/access.log; error_log /var/log/nginx/siyin.orange-social.com/error…

macos -bash: yarn: command not found/-bash: cnpm: command not found

博客主要更新地址&#xff1a;?https://www.cnblogs.com/niceyoo -bash: cnpm: command not found -bash: yarn: command not found -bash: xxxx: command not found 如上yarn/cnpm皆通用&#xff0c;前提是安装成功后报这个错误哈&#xff01; Error: EACCES: permission den…

工作297:shift+$形成元

</el-row><el-form-item label"刊例价"><span>&#xffe5;</span> {{ form.price }}</el-form-item><el-form-item label"任务名称"><!-- {{form.name}}--><el-input :disabled"viewList" v-mode…

部署项目到jetty

一、打包项目 1、在pom.xml中添加以下依赖 <dependency><groupId>org.mortbay.jetty</groupId><artifactId>jetty-plus</artifactId><version>7.0.0.pre5</version><scope>provided</scope> </dependency> <de…

maven jar包冲突的发现与解决[工具篇]

本文是我的第177篇文章。 关于jar冲突排查解决的问题&#xff0c;相信很多小伙伴也都知道有一些&#xff0c;无非就是两类&#xff1a;命令 or 工具。 命令方式比如&#xff1a; mvn dependency:tree 工具方式比如&#xff1a; Maven Helper 而今天的主角就是 Maven Helper 了。…

工作298:无路由页面

<template><div><h1>404 Not Found! &#x1f440;</h1><router-link to"/"><el-button type"primary">返回首页</el-button></router-link></div> </template><script> export defaul…

no applicable action for [springProfile], current ElementPath is [[configuration][springProfile]]

今天down了一个开源项目&#xff0c;启动后一直存在如下错误信息&#xff1a; ERROR in ch.qos.logback.core.joran.spi.Interpreter26:42 - no applicable action for [springProfile], current ElementPath is [[configuration][springProfile]]ERROR in ch.qos.logback.cor…

【Python练习题】程序5

#题目&#xff1a;输入三个整数x,y,z&#xff0c;请把这三个数由小到大输出。 # a input(请输入整数&#xff1a; \n) # # b input(请输入整数&#xff1a; \n) # # c input(请输入整数&#xff1a; \n) # # l [a,b,c] # # l.sort() # # for i in l: # print (i)方法2&…

@Path注解

最近用到的一个项目&#xff0c;看到Controller控制层、Method方法都是通篇的Path注解&#xff0c;由于之前并没有使用过该注解&#xff0c;故记此篇。 首先看一下项目中的使用方式&#xff1a; Path("clientWeb")public class ClientWeb { POST Path("/g…