Python orm for postgresql

Saved searches

Use saved searches to filter your results more quickly

You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session.

License

oldjun/PyPgORM

This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Name already in use

A tag already exists with the provided branch name. Many Git commands accept both tag and branch names, so creating this branch may cause unexpected behavior. Are you sure you want to create this branch?

Sign In Required

Please sign in to use Codespaces.

Launching GitHub Desktop

If nothing happens, download GitHub Desktop and try again.

Launching GitHub Desktop

If nothing happens, download GitHub Desktop and try again.

Launching Xcode

If nothing happens, download Xcode and try again.

Launching Visual Studio Code

Your codespace will open once ready.

There was a problem preparing your codespace, please try again.

Latest commit

Git stats

Files

Failed to load latest commit information.

README.md

This package contains a Python PostgreSQL Object Relational Mapping client library.

You can install it with pip:

$python3 pip install PyPgORM

Documentation is coming soon.

The following examples use a simple table

create table `t_user` ( `id` int unsigned not null auto_increment, `name` varchar(16) not null default '', `phone` varchar(16) not null default '', `money` decimal(10,2) not null default 0, `gender` tinyint unsigned not null default 0, `status` tinyint unsigned not null default 0, `time` timestamp not null default current_timestamp, primary key(`id`), unique key `idx_name` (`name`), key `idx_phone` (`phone`), key `idx_status` (`status`), key `idx_time` (`time`) ) engine=InnoDB auto_increment=1 default charset=utf8mb4;

the simplest definition of a model

from pypgorm.model import Model class User(Model): tablename = 't_user'

by default model’s primary key is id , if your table’s primary key isn’t id , you can adjust the model class’s attributes like this:

from pypgorm.model import Model class User(Model): tablename = 't_user' primary_key = 'primary key'

connect to database at a single thread mode

from pypgorm.database import Database config = dict(host='127.0.0.1', port=5432, user='postgres', password='password', database='test') Database.connect(**config)

if your program is running at multi thread mode, you should use connection pool instead. see the connection pool section.

sometimes we need to execute sql statement, like creating tables, do it like below.

from pypgorm.database import Database fp = open('sql/t_user.sql', 'r', encoding='utf-8') sql = fp.read() fp.close() Database.connect(**config) Database.execute(sql)
from pypgorm.database import Database from config import db Database.connect(**db) sql = "select * from t_user" all = Database.query(sql) for one in all: print(one)
from pypgorm.database import Database from config import db Database.connect(**db) tables = Database.tables() for table in tables: print(table)
from pypgorm.database import Database from config import db Database.connect(**db) schemas = Database.schema('t_user') for schema in schemas: print(schema)
from pypgorm.database import Database from config import db Database.connect(**db) Database.reflect(table='t_user', model='models/user.py')

find one user which name is ‘ping’

from models.user import User one = User.find().where(name='ping').one() print(one.id, one.name)

find one user which name is ‘ping’ and phone is ‘18976641111’

from models.user import User one = User.find().where(name='ping').where(phone='18976641111').one() print(one)

find one user which name is ‘ping’ and phone is ‘18976641111’, in another way

from models.user import User one = User.find().where(name='ping', phone='18976641111').one() print(one)

find one user which money is not equals to 200

from models.user import User one = User.find().where('money', '!=', 200).one() print(one)
from models.user import User all = User.find().order('id desc').offset(0).limit(5).all() for one in all: print(one)

the all() function will return all data which matched the where conditions, if the table is too big, it will cost too much memory and slow down the program.

in this situation we can use batch() instead of all(). the code slice below shows each time read 100 users, until all to the end.

from models.user import User batch = User.find().batch(size=100) for all in batch: for one in all: print(one)

where condition support operator: =, !=, =, >, in, not in, like, not like, is, is not, between ,and also support plain expression:

from models.user import User one = User.find().where("name='jack' or status=1").one()

find the user which name is ‘lily’, and change her money to 500, her phone to ‘18976642222’

from models.user import User one = User.find().where(name='lily').one() one.money = 500 one.phone = '18976642222' one.save()

change the user which name is ‘lily’, update her money and phone directly

# case 2 from models.user import User User.find().where(name='lily').update(money=500, phone='18976642222')

insert one user into table

# case 1 from models.user import User user = User(name='rose', phone='18976643333', money=100) user.save()

insert one user into table, in another way

# case 2 from models.user import User user = User() user.name = 'vera' user.phone = '18976644444' user.money = 100 user.save()

the save() function only insert/update one data at a time. we can use insert() function to insert more than one data at a time to improve the performance.

from models.user import User fields = ('name', 'phone', 'money') values = [ ('jack', '18976643333', 120), ('sean', '18976654444', 160), ('vera', '18976645555', 180), ] User.insert(fields, values)

find the user which name is ‘lily’, and delete it

from models.user import User one = User.find().where(name='lily').one() one.delete()

delete the user which name is ‘lily’ directly

from models.user import User User.find().where(money=100).delete()

find users which money more than 100, and delete it one by one

from models.user import User all = User.find().where('money', '>', 100).all() for one in all: one.delete()

delete the users which money more than 100 directly

from models.user import User User.find().where('money', '>', 100).delete()

delete all users, don’t do this if you don’t know what you are doing.

from models.user import User User.find().delete()

find the user which name is ‘ping’ is exists or not, return True or False rather than the user data

from models.user import User exists = User.find().where(name='ping').exists()

count the number of users which status is equal to 0

from models.user import User count = User.find().where(status=0).count()
from models.user import User money = User.find().sum('money')

find the minimal money of users, return the minimal money rather than the user data

from models.user import User money = User.find().where(status=0).min('money')

find the maximal money of users, return the maximal money rather than the user data

from models.user import User money = User.find().where(status=0).max('money') print(money)

calculate the average money of the users, return the average money rather than the user data

from models.user import User money = User.find().where(status=0).average('money')

find the user’s money which name is jack

from models.user import User money = User.find().where(name='jack').scalar('money')
from models.user import User names = User.find().column('name')

group the users by gender, and calculate the average money of each group, and return the users which group average money are more than 220

from models.user import User all = User.find() \ .select('gender', 'count(*) as count', 'avg(money) as avg', 'sum(money) as total') \ .group('gender') \ .having('avg', '>', 220) \ .all() for one in all: print(one)

group the users by gender, and get the total number of groups

from models.user import User total = User.find().group('gender').count() print(total)

truncate the user table, don’t do this if you don’t know what you are doing.

from models.user import User User.truncate()

find admin which role is ‘roles’ and which lock is 0

# case 1: inner join from models.admin import Admin from models.admin_role import AdminRole all = Admin.find().select('a.*').alias('a') \ .join(table=AdminRole.tablename, alias='r', on='a.role = r.id') \ .where('r.name', '=', 'role1') \ .where('a.lock', '=', 0) \ .all() for one in all: print(one)
# case 2: left join from models.admin import Admin from models.admin_role import AdminRole all = Admin.find().alias('a') \ .join(table=AdminRole.tablename, alias='r', on='a.role=r.id', type='left') \ .where('a.lock', '=', 0) \ .all() for one in all: print(one)
# case 3 from models.admin import Admin from models.admin_role import AdminRole all = Admin.find().select('a.*').alias('a') \ .join(table=AdminRole.tablename, alias='r', on='a.role=r.id') \ .where('a.lock', '=', 0) \ .all() for one in all: print(one)
# case 4: join more than one table from models.admin import Admin from models.admin_role import AdminRole from models.admin_auth import AdminAuth all = Admin.find().select('username', 'a.role').alias('a') \ .join(table=AdminRole.tablename, alias='r', on='a.role=r.id') \ .join(table=AdminAuth.tablename, alias='t', on='t.role=r.id') \ .where('t.action', '=', 300) \ .all() for one in all: print(one)
# case 1 from pypgorm.transaction import Transaction as t from models.user import User try: t.begin() model = User(name='ping', phone='18976641111', money=100) model.save() t.commit() except Exception as e: t.rollback() raise e
# case 2 : nested transaction from pypgorm.transaction import Transaction as t try: t.begin() # . your code try: t.begin() # . your code t.commit() except Exception as e: t.rollback() raise e t.commit() except Exception as e: t.rollback() raise e

As mysql server’s default wait timeout is 28800 seconds, it means that after 8 hours if connection is stay sleep, the server will disconnect it. to prevent this problem, each connection should have ability to auto reconnect, by default pypgorm’s each connection will ping mysql server after 3600 seconds idle or sleep. you can change the ping interval by the flow code slice:

pool = ConnectionPool() pool.size(size=8) pool.ping(seconds=7200) pool.create(**db)

as you see, it will change the default ping interval time from 3600 to 7200 seconds. how much long about the ping interval depends on your mysql server’s wait timeout configuration. you should set the ping interval less than your server’s wait timeout. login your mysql server , and run the following sql to see the wait timeout

show variables like '%wait_timeout%';

mysql server maybe reboot because some reason, but don’t worry about it. pypgorm has take care about this situation, each connetion will auto re-connect immediately if the connection has gone.

By default pypgorm works at single thread, however when we develop a web application based on flask, we would like to make pypgorm support multi-threading.

So pypgorm provide a connection pool component, and it’s threadsafety.

In this kind of scenario, we should use ConnectionPool to replace Database to init mysql connection.

import functools from flask import Flask from pypgorm.local import local from pypgorm.connection_pool import ConnectionPool from models.user import User app = Flask(__name__) config = dict(user=user, port=port, user=user, password=password, database=database) pool = ConnectionPool() pool.size(size=10) pool.debug(debug=True) pool.create(**config) # assign one connection to the request def assign_connection(func): @functools.wraps(func) def wrapper(*args, **kwargs): pool = ConnectionPool() local.conn = pool.get() resp = func(*args, **kwargs) # don't forget to put connection into pool pool.put(local.conn) return resp return wrapper @app.route('/') @assign_connection def index(): one = User.find().where(name='ping').one() print(one) return 'index' @app.route('/hello') @assign_connection def hello(): one = User.find().where(name='ping').one() print(one) return 'hello'

As the code slice mentioned above, pypgorm assign one mysql connection for each http request, so the mysql transaction will work properly.

PyPgORM is released under the MIT License. See LICENSE for more information.

Источник

Читайте также:  What can you do with html canvas
Оцените статью