发布时间:2019-09-22 07:39:35编辑:auto阅读(1657)
一、安装服务
下载、编译安装
wget http://download.redis.io/releases/redis-3.0.1.tar.gz tar -zxvf redis-3.0.1.tar.gz cd redis-3.0.1 make
二进制文件是编译完成后在src目录下,通过下面的命令启动Redis服务:
$ src/redis-server &
客户端也可以如下安装:
pip install redis
二、redis连接示例
redis是以key-value的形式存储的。首先我们将redis所在主机的ip和发布端口作为参数实例化了一个对象r,然后去设置set和取出get值。
例子:
import redis redis_config = { "host": "192.168.2.230", "port": 6379 } r = redis.Redis(**redis_config) r.set("name","huangzhenping") print(r.keys()) print(r.get("name"))
运行结果:
name
huangzhenping
三、连接池
redis-py使用connection pool来管理对一个redis server的所有连接,避免每次建立、释放连接的开销。默认,每个Redis实例都会维护一个自己的连接池。可以直接建立一个连接池,然后作为参数Redis,这样就可以实现多个Redis实例共享一个连接池
例子:
import redis redis_config = { "host": "192.168.2.230", "port": 6379 } pool = redis.ConnectionPool(**redis_config) r = redis.Redis(connection_pool=pool) r.set("age","27") print(r.get("age"))
运行结果:
27
或者将连接池包装成一个函数,方便调用:
import redis def get_redis_connect(): redis_config = { "host": "192.168.2.230", "port": 6379 } pool = redis.ConnectionPool(**redis_config) r = redis.Redis(connection_pool=pool) return r if __name__ == "__main__": r = get_redis_connect() print(r.keys())
四、管道
redis-py默认在执行每次请求都会创建(连接池申请连接)和断开(归还连接池)一次连接操作,如果想要在一次请求中指定多个命令,则可以使用pipline实现一次请求指定多个命令,并且默认情况下一次pipline 是原子性操作。redis服务端会处理完多条命令后会将多条命令的处理结果打包到一起返回给客户端。需要注意到是redis必须在处理完所有命令前先缓存起所有命令的处理结果,打包的命令越多,缓存消耗内存也越多。
例子:对比使用管道和不使用管道处理的时间
import redis import datetime def withpipe(r): pipe = r.pipeline(transaction=True) for i in xrange(1, 1000): key = "key1_" + str(i) value = "value1_" + str(i) pipe.set(key, value) pipe.execute() def withoutpipe(r): for i in xrange(1, 1000): key = "key2_" + str(i) value = "value2_" + str(i) r.set(key, value) redis_config = { "host": "192.168.2.230", "port": 6379, "db": 0 } if __name__ == "__main__": pool = redis.ConnectionPool(**redis_config) r1 = redis.Redis(connection_pool=pool) r2 = redis.Redis(connection_pool=pool) start = datetime.datetime.now() withpipe(r1) end = datetime.datetime.now() t_time = (end - start).microseconds print("withpipe time is: {0}".format(t_time)) start = datetime.datetime.now() withoutpipe(r2) end = datetime.datetime.now() t_time = (end - start).microseconds print("withoutpipe time is: {0}".format(t_time))
运行结果:
withpipe time is: 17000
withoutpipe time is: 105000
上一篇: 基于Linux GlassFish v3
下一篇: python36安装
47837
46379
37264
34722
29306
25964
24893
19943
19534
18014
5785°
6406°
5921°
5957°
7060°
5904°
5936°
6432°
6400°
7772°