Redis作为内存数据库的一个典型代表,已经在很多应用场景中被使用,这里仅就Redis的pub/sub功能来说说怎样通过此功能来实现一个简单的作业调度系统。这里只是想展现一个简单的想法,所以还是有很多需要考虑的东西没有包括在这个例子中,比如错误处理,持久化等。
下面是实现上的想法
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import time
import threading
import random
import redis
REDIS_HOST = ‘localhost‘
REDIS_PORT = 6379
REDIS_DB = 0
CHANNEL_DISPATCH = ‘CHANNEL_DISPATCH‘
CHANNEL_RESULT = ‘CHANNEL_RESULT‘
class MyMaster():
def __init__(self):
pass
def start(self):
MyServerResultHandleThread().start()
MyServerDispatchThread().start()
class MyServerDispatchThread(threading.Thread):
def __init__(self):
threading.Thread.__init__(self)
def run(self):
r = redis.StrictRedis(host=REDIS_HOST, port=REDIS_PORT, db=REDIS_DB)
for i in range(1, 100):
channel = CHANNEL_DISPATCH + ‘_‘ + str(random.randint(1, 3))
print("Dispatch job %s to %s" % (str(i), channel))
ret = r.publish(channel, str(i))
if ret == 0:
print("Dispatch job %s failed." % str(i))
time.sleep(5)
class MyServerResultHandleThread(threading.Thread):
def __init__(self):
threading.Thread.__init__(self)
def run(self):
r = redis.StrictRedis(host=REDIS_HOST, port=REDIS_PORT, db=REDIS_DB)
p = r.pubsub()
p.subscribe(CHANNEL_RESULT)
for message in p.listen():
if message[‘type‘] != ‘message‘:
continue
print("Received finished job %s" % message[‘data‘])
if __name__ == "__main__":
MyMaster().start()
time.sleep(10000)
说明
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from datetime import datetime
import time
import threading
import random
import redis
REDIS_HOST = ‘localhost‘
REDIS_PORT = 6379
REDIS_DB = 0
CHANNEL_DISPATCH = ‘CHANNEL_DISPATCH‘
CHANNEL_RESULT = ‘CHANNEL_RESULT‘
class MySlave():
def __init__(self):
pass
def start(self):
for i in range(1, 4):
MyJobWorkerThread(CHANNEL_DISPATCH + ‘_‘ + str(i)).start()
class MyJobWorkerThread(threading.Thread):
def __init__(self, channel):
threading.Thread.__init__(self)
self.channel = channel
def run(self):
r = redis.StrictRedis(host=REDIS_HOST, port=REDIS_PORT, db=REDIS_DB)
p = r.pubsub()
p.subscribe(self.channel)
for message in p.listen():
if message[‘type‘] != ‘message‘:
continue
print("%s: Received dispatched job %s " % (self.channel, message[‘data‘]))
print("%s: Run dispatched job %s " % (self.channel, message[‘data‘]))
time.sleep(2)
print("%s: Send finished job %s " % (self.channel, message[‘data‘]))
ret = r.publish(CHANNEL_RESULT, message[‘data‘])
if ret == 0:
print("%s: Send finished job %s failed." % (self.channel, message[‘data‘]))
if __name__ == "__main__":
MySlave().start()
time.sleep(10000)
说明
转载请以链接形式标明本文地址
本文地址:http://blog.csdn.net/kongxx/article/details/50952090
原文:http://blog.csdn.net/kongxx/article/details/50952090