环境
Windows11 + Python3.X + Pycharm社区版
思路
1 github下载redis压缩包 ,安装并启动redis服务,在Pycharm中运行python程序,连接redis服务,熟悉redis的使用和巩固python语言。
2 python开发环境的搭建参考 https://mp.csdn.net/mp_blog/creation/editor/144119111
步骤
1 下载Zip包
https://github.com/tporadowski/redis/releases
data:image/s3,"s3://crabby-images/6acb4/6acb46653b01f8bbd0850795c333cb5e9285eb88" alt=""
下载之后
data:image/s3,"s3://crabby-images/e6aca/e6acaf096602591b825b65ff83fde8026d8bd32a" alt=""
2 解压zip包
解压之后,文件夹改名为Redis50:
data:image/s3,"s3://crabby-images/a8ef1/a8ef1e09fd437d7ffb5d1effcf7f1199d33a3fb7" alt=""
Redis50目录下的文件:
data:image/s3,"s3://crabby-images/405ff/405ffd718dda52e1bbafd7b0e9dd4f170363ec85" alt=""
3 启动redis服务
进入Redis50目录,用cmd命令启动服务
bash
redis-server.exe redis.windows.conf
data:image/s3,"s3://crabby-images/b2570/b2570e832066eb80f4b852c302823cd48b96af8b" alt=""
可以把Redis50的路径加到系统的环境变量path里,直接用redis-server命令启动,省略后面的redis.windows.conf参数。
data:image/s3,"s3://crabby-images/56f58/56f588a273d0ff789ae03893afccbd70ef3f8678" alt=""
data:image/s3,"s3://crabby-images/a568a/a568a05b04e3872f920cc4432d08889ac2ae3230" alt=""
该窗口不要关闭,客户端要连接服务端。
4 启动redis客户端
新开一个cmd窗口,输入如下命令
bash
redis-server.exe redis.windows.conf
data:image/s3,"s3://crabby-images/fbe30/fbe30cd7fbeb4d82f5cc7b68b963940cb3a9a297" alt=""
如果在环境变量path中添加了redis的安装目录,在任意命令行运行redis-cli都可以启动客户端
data:image/s3,"s3://crabby-images/e0cb9/e0cb9d53d6798f9474213ce27649cd3031e7f1cc" alt=""
5 验证安装结果
用get/set命令验证,redis是否安装成功。
bash
set mykey abc
get mykey
6 pip安装redis包
pycharm中安装redis包
bash
pip install redis
data:image/s3,"s3://crabby-images/0cf84/0cf84e2d189ea1781a41d4e5197fd95070cad24e" alt=""
7 python连接redis
7.1 常规连接
python
#!/usr/bin/python3
import redis
r = redis.Redis(host='localhost', port=6379, db=0)
r.set('mykey', 'hello, redis')
value = r.get('mykey')
print(value)
data:image/s3,"s3://crabby-images/109c7/109c7a6e6607fc5c2465e57b112d728079609ee4" alt=""
redis 取出的结果默认是字节,设定 decode_responses=True 改成字符串(hello,redis前面少量了字母b)
data:image/s3,"s3://crabby-images/526b8/526b89440641abd5e53c8d9ec6ceb5beefac584e" alt=""
db0是默认的数据库,没有指定具体使用哪个数据库时,Redis会自动选择db0作为当前使用的数据库。
7.2 使用连接池
默认,每个Redis实例都会维护一个自己的连接池。可以建立一个连接池,多个 Redis 实例共享一个连接池。
python
import redis
pool = redis.ConnectionPool(host='localhost', port=6379, db=0, decode_responses=True)
r = redis.Redis(connection_pool=pool)
r.set('mykey', 'hello, redis poll')
value = r.get('mykey')
print(value)
r.close()
data:image/s3,"s3://crabby-images/09dff/09dffe52558d53e20d29364ad8cdadcd17da005d" alt=""