python之上下文管理、redis的发布订阅、rabbitmq
使用with打开文件的方式,是调用了上下文管理的功能
#打开文件的两种方法:
f = open('a.txt','r')
with open('a.txt','r') as f
实现使用with关闭socket
import contextlib
import socket
@contextlib.contextmanage
def Sock(ip,port):
socket = socket.socket()
socket.bind((ip,port))
socket.listen(5)
try:
yield socket
finally:
socket.close()
#执行Sock函数传入参数,执行到yield socket返回值给s,执行with语句体,执行finally后面的语句
with Sock('127.0.0.1',8000) as s:
print(s)
redis的发布订阅
class RedisHelper:
def __init__(self):
#调用类时自动连接redis
self.__conn = redis.Redis(host='192.168.1.100')
def public(self, msg, chan):
self.__conn.publish(chan, msg)
return True
def subscribe(self, chan):
pub = self.__conn.pubsub()
pub.subscribe(chan)
pub.parse_response()
return pub
#订阅者
import s3
obj = s3.RedisHelper()
data = obj.subscribe('fm111.7')
print(data.parse_response())
#发布者
import s3
obj = s3.RedisHelper()
obj.public('alex db', 'fm111.7')
RabbitMQ
#消费者
import pika connection = pika.BlockingConnection(pika.ConnectionParameters(host='127.0.0.1'))
channel = connection.channel()#创建对象 channel.queue_declare(queue = 'wocao')
def callback(ch,method,properties,body):
print("[x] Received %r"%body) channel.basic_consume(callback,queue = 'wocao',no_ack = True)
print('[*] Waiting for messages. To exit press CTRL+C')
channel.start_consuming() #生产者
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters(host='127.0.0.1'))
channel = connection.channel()
channel.queue_declare(queue = 'wocao')#指定一个队列,不存在此队列则创建
channel.basic_publish(exchange = '',routing_key = 'wocao',body = 'hello world!')
print("[x] Sent 'hello world!")
connection.close()
exchange type类型
#生产者
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters(
host='192.168.11.87'))
channel = connection.channel()
#fanout类型,对绑定该exchange的队列实行广播
channel.exchange_declare(exchange='logs_fanout',
type='fanout') # 随机创建队列
result = channel.queue_declare(exclusive=True)
queue_name = result.method.queue
# 绑定exchange
channel.queue_bind(exchange='logs_fanout',
queue=queue_name) print(' [*] Waiting for logs. To exit press CTRL+C') def callback(ch, method, properties, body):
print(" [x] %r" % body) channel.basic_consume(callback,
queue=queue_name,
no_ack=True) channel.start_consuming()
#消费者
import pika #发送方
connection = pika.BlockingConnection(pika.ConnectionParameters(
host='192.168.11.87'))
channel = connection.channel() channel.exchange_declare(exchange='logs_fanout',
type='fanout') message = "what's the fuck"
#设置exchange的名
channel.basic_publish(exchange='logs_fanout',
routing_key='',
body=message)
print(" [x] Sent %r" % message)
connection.close()
#根据关键字发送指定队列
#生产者(发布者)
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters(
host = '127.0.0.1'))
channel = connection.channel() channel.exchange_declare(exchange='direct_logs_1',
type='direct') # 关键字发送到队列
#对error关键字队列发送指令
severity = 'error'
message = ''
channel.basic_publish(exchange = 'direct_logs_1',
routing_key = severity,
body = message)
print('[x] Sent %r:%r'%(severity,message))
connection.close()
#消费者(订阅者)
import pika
#消费者
connection = pika.BlockingConnection(pika.ConnectionParameters(
host = '127.0.0.1'))
channel = connection.channel()
channel.exchange_declare(exchange='direct_logs_1',
type = 'direct')#关键字发送到队列 result = channel.queue_declare(exclusive=True)
queue_name = result.method.queue
serverities = ['error','info','warning']
for severity in serverities:
channel.queue_bind(exchange='direct_logs_1',
queue = queue_name,
routing_key = severity)
def callback(ch,method,properties,body):
print('[x] %r:%r'%(method.routing_key,body)) channel.basic_consume(callback,
queue = queue_name,
no_ack = True)
channel.start_consuming()
#实现消息不丢失接收方
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters(host = '10.211.55.4'))
channel = connection.channel()
channel.queue_declare(queue = 'hello') def callback(ch,method,properties,body):
print('redeived %s'%body)
import time
time.sleep(10)
print('ok')
ch.basic_ack(delivery_tag= method.delivery_tag)
#no_ack = False接收方接受完请求后发送给对方一个接受成功的信号,如果没收到mq会重新将任务放到队列
channel.basic_consume(callback,queue = 'hello',no_ack=False)
print(' Waiting for messages.To exit press CTRL+C')
channel.start_consuming()
#发送方
#实现消息不丢失
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters(host = '10.211.55.4'))
channel = connection.channel()
channel.queue_declare(queue = 'hello',durable = True)
channel.basic_publish(exchange = '',routing_key = 'hello world',
properties = pika.BasicProperties(
delivery_mode=2,
))#发送方不丢失,发送方保持持久化
print(' Waiting for messages.To exit press CTRL+C')
channel.start_consuming()
#接收方
import pika connection = pika.BlockingConnection(pika.ConnectionParameters(host='192.168.11.100'))
channel = connection.channel() channel.queue_declare(queue='hello', durable=True)
def callback(ch, method, properties, body):
print(" [x] Received %r" % body)
import time
time.sleep(10)
print 'ok'
ch.basic_ack(delivery_tag = method.delivery_tag)
channel.basic_consume(callback,
queue='hello',
no_ack=False)
channel.start_consuming()
RabbitMQ队列中默认情况下,接收方从队列中获取消息是顺序的,例如:接收方1只从队列中获取奇数的任务,接收方2只从队列中获取偶数任务
import pika connection = pika.BlockingConnection(pika.ConnectionParameters(host='192.168.11.100'))
channel = connection.channel()
channel.queue_declare(queue='hello')
def callback(ch, method, properties, body):
print(" [x] Received %r" % body)
import time
time.sleep(10)
print 'ok'
ch.basic_ack(delivery_tag = method.delivery_tag)
#表示队列不分奇偶分配,谁来取任务就给谁
channel.basic_qos(prefetch_count=1)
channel.basic_consume(callback,
queue='hello',
no_ack=False)
print(' [*] Waiting for messages. To exit press CTRL+C')
channel.start_consuming()
RabbitMQ会重新将该任务添加到队列中
python之上下文管理、redis的发布订阅、rabbitmq的更多相关文章
- Python之上下文管理器
# -*- coding: utf-8 -*- #python 27 #xiaodeng #Python之上下文管理器 #http://python.jobbole.com/82620/ #语法形式: ...
- Python之上下文管理
http://www.cnblogs.com/coser/archive/2013/01/28/2880328.html 上下文管理协议为代码块提供包含初始化和清理操作的上下文环境.即便代码块发生异常 ...
- Redis之发布订阅
一 什么是发布订阅 发布订阅模式又叫观察者模式,它定义对象间的一种一对多的依赖关系,当一个对象的状态发生改变时,所有依赖它的对象都将得到通知 Redis 发布订阅(pub/sub)是一种消息通信模式: ...
- [翻译] C# 8.0 新特性 Redis基本使用及百亿数据量中的使用技巧分享(附视频地址及观看指南) 【由浅至深】redis 实现发布订阅的几种方式 .NET Core开发者的福音之玩转Redis的又一傻瓜式神器推荐
[翻译] C# 8.0 新特性 2018-11-13 17:04 by Rwing, 1179 阅读, 24 评论, 收藏, 编辑 原文: Building C# 8.0[译注:原文主标题如此,但内容 ...
- Redisson 分布式锁实现之前置篇 → Redis 的发布/订阅 与 Lua
开心一刻 我找了个女朋友,挺丑的那一种,她也知道自己丑,平常都不好意思和我一块出门 昨晚,我带她逛超市,听到有两个人在我们背后小声嘀咕:"看咱前面,想不到这么丑都有人要." 女朋友 ...
- redis的发布订阅模式
概要 redis的每个server实例都维护着一个保存服务器状态的redisServer结构 struct redisServer { /* Pubsub */ // 字典,键为频道, ...
- StackExchange.Redis 使用-发布订阅 (二)
使用Redis的发布订阅功能 redis另一个常见的用途是发布订阅功能 . 它非常的简单 ,当连接失败时 ConnectionMultiplexer 会自动重新进行订阅 . ISubscriber s ...
- .net core 使用Redis的发布订阅
Redis是一个性能非常强劲的内存数据库,它一般是作为缓存来使用,但是他不仅仅可以用来作为缓存,比如著名的分布式框架dubbo就可以用Redis来做服务注册中心.接下来介绍一下.net core 使用 ...
- redis的发布订阅模式pubsub
前言 redis支持发布订阅模式,在这个实现中,发送者(发送信息的客户端)不是将信息直接发送给特定的接收者(接收信息的客户端),而是将信息发送给频道(channel),然后由频道将信息转发给所有对这个 ...
随机推荐
- SQL的注入式攻击方式和避免方法
SQL 注入是一种攻击方式,在这种攻击方式中,恶意代码被插入到字符串中,然后将该字符串传递到 SQL Server 的实例以进行分析和执行.任何构成 SQL 语句的过程都应进行注入漏洞检查,因为 SQ ...
- EF分组后把查询的字段具体映射到指定类里面的写法
//先做基本查询 var querySql = from l in _logClinicDataOperationRepository.Table select new LogClinicDataOp ...
- Poj(1789),最小生成树,Prim
题目链接:http://poj.org/problem?id=1789 还是套路. #include <stdio.h> #include <string.h> #define ...
- Spring转换编码utf-8方式
方式一:修改Spring配置文件(建议使用) <mvc:annotation-driven> <mvc:message-converters register-defaults=&q ...
- 八数码(map版)
八数码 map真是个奇技淫巧好东西 可以十分简单的实现hash,当然速度就不敢保证了 因为九位数不算很大,完全可以用int存下,所以便将八数码的图像转换成一个int型的数字 #include<i ...
- 【P3398]】仓鼠找sugar
暴力lca 题目 有一种情况肯定不行 较深得lca深度比浅的两个点还深,直接不行 如果可能存在解 则解一定是介中情况 较深的lca一定在另一个lca路径上. 判读呢? 就是用深的lca和浅的lca的两 ...
- jQuery实现轮播切换以及将其封装成插件(3)
在前两篇博文中,我们写了一个普通的轮播切换.但是我们不能每一次需要这个功能就把这些代码有重新敲一次.下面我们就将它封装成一个插件. 至于什么是插件,又为什么要封装插件,不是本文考虑的内容. 我们趁着 ...
- windows下配置kafka
https://blog.csdn.net/evankaka/article/details/52421314
- this以及执行上下文概念的重新认识
在理解this的绑定过程之前,必须要先明白调用位置,调用位置指的是函数在代码中被调用的位置,而不是声明所在的位置. (ES6的箭头函数不在该范围内,它的this在声明时已经绑定了,而不是取决于调用时. ...
- 使用Jmeter性能测试,读取csv文件时的乱码问题
读取csv参数乱码问题 发送请求时参数通过CSV文件读取,发送请求后显示错误,把获取的参数通过在线urlencode转码器转码后发现是乱码.打开csv设值,编码格式选择的是UTF-8,打开参数文件后发 ...