1. 程式人生 > >python訪問redis

python訪問redis

python redis

首先說一下在Windows下安裝Redis,安裝包可以在https://github.com/MSOpenTech/redis/releases中找到,可以下載msi安裝文件,也可以下載zip的壓縮文件。

技術分享圖片

下載zip文件之後解壓,解壓後是這些文件:

技術分享圖片

裏面這個Windows Service Documentation.docx是一個文檔,裏面有安裝指導和使用方法。

也可以直接下載msi安裝文件,直接安裝,安裝之後的安裝目錄中也是這些文件,可以對redis進行相關的配置。

安裝完成之後可以對redis進行測試,雙擊redis-cli.exe,如果不報錯的話,應該會連接上本地的redis,進行簡單的測試:

技術分享圖片

默認安裝的是6379端口,測試成功。

也可以輸入help,查看幫助:



  1. 127.0.0.1:6379> help

  2. redis-cli 3.2.100

  3. To get help about Redis commands type:

  4. "help @<group>" to get a list of commands in <group>

  5. "help <command>" for help on <command>

  6. "help <tab>" to get a list of possible help topics

  7. "quit" to exit

  8. To set redis-cli perferences:

  9. ":set hints" enable online hints

  10. ":set nohints" disable online hints

  11. Set your preferences in ~/.redisclirc




下面說一下用Python操作Redis吧,使用Python安裝Redis的話需要安裝redis-py的庫

1、安裝redis-py

easy_install redis 也可以使用pip install redis安裝,或者在https://github.com/andymccurdy/redis-py下載然後執行python setup.py install安裝

2、安裝Parser安裝

Parser可以控制如何解析redis響應的內容。redis-py包含兩個Parser類,PythonParser和HiredisParser。默認,如果已經安裝了hiredis模塊,redis-py會使用HiredisParser,否則會使用PythonParser。HiredisParser是C編寫的,由redis核心團隊維護,性能要比PythonParser提高10倍以上,所以推薦使用。安裝方法,使用easy_install:

easy_install hiredis 或者pip install hiredis

3、使用python操作redis

redis-py提供兩個類Redis和StrictRedis用於實現Redis的命令,StrictRedis用於實現大部分官方的命令,並使用官方的語法和命令(比如,SET命令對應與StrictRedis.set方法)。Redis是StrictRedis的子類,用於向後兼容舊版本的redis-py。



  1. import redis

  2. r = redis.StrictRedis(host='127.0.0.1', port=6379)

  3. r.set('foo', 'hello')

  4. r.rpush('mylist', 'one')

  5. print r.get('foo')

  6. print r.rpop('mylist')



redis-py使用connection pool來管理對一個redis server的所有連接,避免每次建立、釋放連接的開銷。默認,每個Redis實例都會維護一個自己的連接池。可以直接建立一個連接池,然後作為參數Redis,這樣就可以實現多個Redis實例共享一個連接池。


  1. pool = redis.ConnectionPool(host='127.0.0.1', port=6379)

  2. r = redis.Redis(connection_pool=pool)

  3. r.set('one', 'first')

  4. r.set('two', 'second')

  5. print r.get('one')

  6. print r.get('two')


redis pipeline機制,可以在一次請求中執行多個命令,這樣避免了多次的往返時延。



  1. pool = redis.ConnectionPool(host='127.0.0.1', port=6379)

  2. r = redis.Redis(connection_pool=pool)

  3. pipe = r.pipeline()

  4. pipe.set('one', 'first')

  5. pipe.set('two', 'second')

  6. pipe.execute()

  7. pipe.set('one'. 'first').rpush('list', 'hello').rpush('list', 'world').execute()


redis-py默認在一次pipeline中的操作是原子的,要改變這種方式,可以傳入transaction=False

  1. pipe = r.pipeline(transaction=False)


python訪問redis