欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

淺談Python peewee 使用經(jīng)驗(yàn)

 更新時(shí)間:2017年10月20日 11:51:02   作者:削微寒  
這篇文章主要介紹了淺談Python peewee 使用經(jīng)驗(yàn),小編覺得挺不錯(cuò)的,現(xiàn)在分享給大家,也給大家做個(gè)參考。一起跟隨小編過來看看吧

本文使用案例是基于 python2.7 實(shí)現(xiàn)

以下內(nèi)容均為個(gè)人使用 peewee 的經(jīng)驗(yàn)和遇到的坑,不會涉及過多的基本操作。所以,沒有使用過 peewee,可以先閱讀文檔

正確性和覆蓋面有待提高,如果遇到新的問題歡迎討論。

一、介紹

Peewee 是一個(gè)簡單、輕巧的 Python ORM。

  1. 簡單、輕巧、富有表現(xiàn)力(原詞 expressive )的ORM
  2. 支持python版本 2.6+ 和 3.2+
  3. 支持?jǐn)?shù)據(jù)庫包括:sqlite, mysql and postgresql
  4. 包含一堆實(shí)用的擴(kuò)展在 playhouse 模塊中

總而言之,peewee 可以完全可以應(yīng)付個(gè)人或企業(yè)的中小型項(xiàng)目的 Model 層,上手容易,功能很強(qiáng)大。

二、基本使用方法

from peewee import *

db = SqliteDatabase('people.db')
class BaseModel(Model):
  class Meta:
    database = db # This model uses the "people.db" database.

class Person(BaseModel):
  name = CharField()
  birthday = DateField()
  is_relative = BooleanField()  

基本的使用方法,推薦閱讀文檔--quickstart

三、推薦使用姿勢

下面介紹一些我在使用過程的經(jīng)驗(yàn)和遇到的坑,希望可以幫助大家更好的使用 peewee。

3.1 連接數(shù)據(jù)庫

連接數(shù)據(jù)庫時(shí),推薦使用 playhouse 中的 db_url 模塊。db_url 的 connect 方法可以通過傳入的 URL 字符串,生成數(shù)據(jù)庫連接。

3.1.1 connect(url, **connect_params)

通過傳入的 url 字符串,創(chuàng)建一個(gè)數(shù)據(jù)庫實(shí)例

url形如:

  1. mysql://user:passwd@ip:port/my_db 將創(chuàng)建一個(gè) 本地 MySQL 的 my_db 數(shù)據(jù)庫的實(shí)例(will create a MySQLDatabase instance)
  2. mysql+pool://user:passwd@ip:port/my_db?charset=utf8&max_connections=20&stale_timeout=300 將創(chuàng)建一個(gè)本地 MySQL 的 my_db 的連接池,最大連接數(shù)為20(In a multi-threaded application, up to max_connections will be opened. Each thread (or, if using gevent, greenlet) will have it's own connection. ),超時(shí)時(shí)間為300秒(will create a PooledMySQLDatabase instance)

注意:charset 默認(rèn)為utf8。如需要支持 emoji ,charset 設(shè)置為utf8mb4,同時(shí)保證創(chuàng)建數(shù)據(jù)庫時(shí)的字符集設(shè)置正確CREATE DATABASE mydatabase CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci;。

支持的 schemes:

  1. apsw: APSWDatabase
  2. mysql: MySQLDatabase
  3. mysql+pool: PooledMySQLDatabase
  4. postgres: PostgresqlDatabase
  5. postgres+pool: PooledPostgresqlDatabase
  6. postgresext: PostgresqlExtDatabase
  7. postgresext+pool: PooledPostgresqlExtDatabase
  8. sqlite: SqliteDatabase
  9. sqliteext: SqliteExtDatabase
  10. sqlite+pool: PooledSqliteDatabase
  11. sqliteext+pool: PooledSqliteExtDatabase

3.1.2 推薦姿勢

from playhouse.db_url import connect

from dock.common import config

# url: mysql+pool://root:root@127.0.0.1:3306/appmanage?max_connections=300&stale_timeout=300
mysql_config_url = config_dict.get('config').get('mysql').get('url')
db = connect(url=mysql_config_url)

查看更多詳情請移步官方文檔:db-url

3.2 連接池的使用

peewee 的連接池,使用時(shí)需要顯式的關(guān)閉連接。下面先說下為什么,最后會給出推薦的使用方法,避免進(jìn)坑。

3.2.1 為什么要顯式的關(guān)閉連接

Connections will not be closed exactly when they exceed their stale_timeout. Instead, stale connections are only closed when a new connection is requested.

這里引用官方文檔的提示。大致說:“超時(shí)連接不會自動(dòng)關(guān)閉,只會在有新的請求時(shí)是才會關(guān)閉”。這里的request是指‘web 框架處理的請求',peewee 源碼片段:

def _connect(self, *args, **kwargs):
  while True:
    try:
      # Remove the oldest connection from the heap.
      ts, conn = heapq.heappop(self._connections) # _connections是連接實(shí)例的list(pool)
      key = self.conn_key(conn)
    except IndexError:
      ts = conn = None
      logger.debug('No connection available in pool.')
      break
    else:
      if self._is_closed(key, conn):
        # This connecton was closed, but since it was not stale
        # it got added back to the queue of available conns. We
        # then closed it and marked it as explicitly closed, so
        # it's safe to throw it away now.
        # (Because Database.close() calls Database._close()).
        logger.debug('Connection %s was closed.', key)
        ts = conn = None
        self._closed.discard(key)
      elif self.stale_timeout and self._is_stale(ts):
        # If we are attempting to check out a stale connection,
        # then close it. We don't need to mark it in the "closed"
        # set, because it is not in the list of available conns
        # anymore.
        logger.debug('Connection %s was stale, closing.', key)
        self._close(conn, True)
        self._closed.discard(key)
        ts = conn = None
      else:
        break
  if conn is None:
    if self.max_connections and (
        len(self._in_use) >= self.max_connections):
      raise ValueError('Exceeded maximum connections.')
    conn = super(PooledDatabase, self)._connect(*args, **kwargs)
    ts = time.time()
    key = self.conn_key(conn)
    logger.debug('Created new connection %s.', key)

  self._in_use[key] = ts # 使用中的數(shù)據(jù)庫連接實(shí)例dict
  return conn

根據(jù) pool 庫中的 _connect 方法的代碼可知:每次在建立數(shù)據(jù)庫連接時(shí),會檢查連接實(shí)例是否超時(shí)。但是需要注意一點(diǎn):使用中的數(shù)據(jù)庫連接實(shí)例(_in_use dict中的數(shù)據(jù)庫連接實(shí)例),是不會在創(chuàng)建數(shù)據(jù)庫連接時(shí),檢查是否超時(shí)的。

因?yàn)檫@段代碼中,每次創(chuàng)建連接實(shí)例,都是在 _connections(pool) 取實(shí)例,如果有的話就判斷是否超時(shí);如果沒有的話就新建。

然而,使用中的數(shù)據(jù)庫連接并不在 _connections 中,所以每次創(chuàng)建數(shù)據(jù)庫連接實(shí)例時(shí),并沒有檢測使用中的數(shù)據(jù)庫連接實(shí)例是否超時(shí)。

只有調(diào)用連接池實(shí)例的 _close 方法。執(zhí)行這個(gè)方法后,才會把使用后的連接實(shí)例放回到 _connections (pool)。

def _close(self, conn, close_conn=False):
  key = self.conn_key(conn)
  if close_conn:
    self._closed.add(key)
    super(PooledDatabase, self)._close(conn) # 關(guān)閉數(shù)據(jù)庫連接的方法
  elif key in self._in_use:
    ts = self._in_use[key]
    del self._in_use[key]
    if self.stale_timeout and self._is_stale(ts):  # 到這里才會判斷_in_use中的連接實(shí)例是否超時(shí)
      logger.debug('Closing stale connection %s.', key)
      super(PooledDatabase, self)._close(conn)  # 超時(shí)的話,關(guān)閉數(shù)據(jù)庫連接
    else:
      logger.debug('Returning %s to pool.', key)
      heapq.heappush(self._connections, (ts, conn)) # 沒有超時(shí)的話,放回到pool中

3.2.2 如果不顯式的關(guān)閉連接,會出現(xiàn)的問題

如果不調(diào)用_close方法的話,使用后 的數(shù)據(jù)庫連接就一直不會關(guān)閉(兩個(gè)含義:回到pool中和關(guān)閉數(shù)據(jù)庫連接),這樣會造成兩個(gè)問題:

1.每次都是新建數(shù)據(jù)庫連接,因?yàn)?pool 中沒有數(shù)據(jù)庫連接實(shí)例。會導(dǎo)致稍微有一點(diǎn)并發(fā)量就會返回Exceeded maximum connections.錯(cuò)誤

2.MySQL也是有 timeout 的,如果一個(gè)連接長時(shí)間沒有請求的話,MySQL Server 就會關(guān)閉這個(gè)連接,但是,peewee的已建立(后面會解釋為什么特指已建立的)的連接實(shí)例,并不知道 MySQL Server 已經(jīng)關(guān)閉了,再去通過這個(gè)連接請求數(shù)據(jù)的話,就會返回 Error 2006: “MySQL server has gone away”錯(cuò)誤,根據(jù)官方文檔

3.2.3 推薦姿勢

所以,每次操作完數(shù)據(jù)庫就關(guān)閉連接實(shí)例。

用法1:使用with

def send_rule():
  with db.execution_context():
  # A new connection will be opened or, if using a connection pool,
  # pulled from the pool of available connections. Additionally, a
  # transaction will be started.
    for user in get_all_user():
      user_id = user['id']
      rule = Rule(user_id)
      rule_dict = rule.slack_rule(index)
      .....do something.....

用法2:使用Flask hook

@app.before_request
def _db_connect():
  database.connect()
#
# This hook ensures that the connection is closed when we've finished
# processing the request.
@app.teardown_request
def _db_close(exc):
  if not database.is_closed():
    database.close()
#
#
# 更優(yōu)雅的用法:
from playhouse.flask_utils import FlaskDB
from dock_fastgear.model.base import db
#
app = Flask(__name__)
FlaskDB(app, db) # 這樣就自動(dòng)做了上面的事情(具體實(shí)現(xiàn)可查看http://docs.peewee-orm.com/en/latest/peewee/playhouse.html?highlight=Flask%20DB#flask-utils)

查看更多詳情請移步官方文檔:pool-apis

3.3 處理查詢結(jié)果

這里沒有什么大坑,就是有兩點(diǎn)需要注意:

首先,查詢的結(jié)果都是該 Model 的 object,注意不是 dict。如果想讓結(jié)果為 dict,需要 playhouse 模塊的工具方法進(jìn)行轉(zhuǎn)化:from playhouse.shortcuts import model_to_dict

其次,get方法只會返回一條記錄

3.3.1 推薦姿勢

from playhouse.shortcuts import model_to_dict
from model import HelloGitHub

def read_from_db(input_vol):
  content_list = []
  category_object_list = HelloGitHub.select(HelloGitHub.category).where(HelloGitHub.vol == input_vol)\
    .group_by(HelloGitHub.category).order_by(HelloGitHub.category)

  for fi_category_object in category_object_list:
    hellogithub = HelloGitHub.select()\
      .where((HelloGitHub.vol == input_vol)
          & (HelloGitHub.category == fi_category_object.category))\
      .order_by(HelloGitHub.create_time)
    for fi_hellogithub in hellogithub:
      content_list.append(model_to_dict(fi_hellogithub))
  return content_list

四、常見錯(cuò)誤及解決辦法

4.1 'buffer' object has no attribute 'translate'

  1. 錯(cuò)誤信息: "'buffer' object has no attribute 'translate'"
  2. 場景:BlobField 字段存儲zlib compress壓縮的數(shù)據(jù)
  3. 解決辦法:需要指定pymysql的版本小于0.6.7 否則會報(bào)錯(cuò)
  4. 參考

4.2 Can't connect to MySQL server Lost connection to MySQL server during query

  1. 錯(cuò)誤信息:Can't connect to MySQL server Lost connection to MySQL server during query
  2. 場景:向 RDS 中插入數(shù)據(jù)
  3. 解決辦法:因?yàn)檎埱蟮倪B接數(shù)過多,達(dá)到了 RDS 設(shè)置的連接數(shù),所以需要調(diào)高 RDS 連接數(shù)
  4. 參考

以上就是本文的全部內(nèi)容,希望對大家的學(xué)習(xí)有所幫助,也希望大家多多支持腳本之家。

相關(guān)文章

  • PyTorch和Keras計(jì)算模型參數(shù)的例子

    PyTorch和Keras計(jì)算模型參數(shù)的例子

    今天小編就為大家分享一篇PyTorch和Keras計(jì)算模型參數(shù)的例子,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-01-01
  • 詳解python讀寫json文件

    詳解python讀寫json文件

    這篇文章主要為大家介紹了python讀寫json文件,具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下,希望能夠給你帶來幫助
    2021-12-12
  • 詳解Python中的多線程

    詳解Python中的多線程

    這篇文章主要介紹了Python中的多線程,線程就是進(jìn)程中一條執(zhí)行程序的執(zhí)行路徑,一個(gè)程序至少有一條執(zhí)行路徑,本文給大家介紹的非常詳細(xì),需要的朋友可以參考下
    2022-06-06
  • python分段函數(shù)的實(shí)現(xiàn)示例

    python分段函數(shù)的實(shí)現(xiàn)示例

    分段函數(shù)是一種數(shù)學(xué)函數(shù),它將定義域分成若干個(gè)區(qū)間,每個(gè)區(qū)間對應(yīng)一個(gè)函數(shù),本文主要介紹了python分段函數(shù)的實(shí)現(xiàn)示例,具有一定的參考價(jià)值,感興趣的可以了解一下
    2023-12-12
  • Python中格式化format()方法詳解

    Python中格式化format()方法詳解

    這篇文章主要介紹了 Python中格式化format()方法詳解的相關(guān)資料,需要的朋友可以參考下
    2017-04-04
  • python處理文本文件實(shí)現(xiàn)生成指定格式文件的方法

    python處理文本文件實(shí)現(xiàn)生成指定格式文件的方法

    這篇文章主要介紹了python處理文本文件實(shí)現(xiàn)生成指定格式文件的方法,有一定的實(shí)用價(jià)值,需要的朋友可以參考下
    2014-07-07
  • python3利用Axes3D庫畫3D模型圖

    python3利用Axes3D庫畫3D模型圖

    這篇文章主要為大家詳細(xì)介紹了python3利用Axes3D庫畫3D模型圖,文中示例代碼介紹的非常詳細(xì),具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下
    2020-03-03
  • 如何使用draw.io插件在vscode中一體化導(dǎo)出高質(zhì)量圖片

    如何使用draw.io插件在vscode中一體化導(dǎo)出高質(zhì)量圖片

    這篇文章主要介紹了draw.io插件在vscode中一體化導(dǎo)出高質(zhì)量圖片需要的工具是vscode,?draw.io擴(kuò)展,draw.io桌面版?、python,本文給大家介紹的非常詳細(xì),對大家的學(xué)習(xí)或工作具有一定的參考借鑒,需要的朋友可以參考下
    2022-08-08
  • python如何調(diào)用百度識圖api

    python如何調(diào)用百度識圖api

    這篇文章主要介紹了python如何調(diào)用百度識圖api,幫助大家更好的理解和使用python,感興趣的朋友可以了解下
    2020-09-09
  • Python利用pandas處理CSV文件的用法示例

    Python利用pandas處理CSV文件的用法示例

    pandas是一個(gè)第三方數(shù)據(jù)分析庫,其集成了大量的數(shù)據(jù)分析工具,可以方便的處理和分析各類數(shù)據(jù),本文將給大家介紹Python利用pandas處理CSV文件的用法示例,文中通過代碼和圖文講解的非常詳細(xì),需要的朋友可以參考下
    2024-07-07

最新評論