-
Notifications
You must be signed in to change notification settings - Fork 49
/
libmysql.py
260 lines (198 loc) · 7.77 KB
/
libmysql.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
# encoding: utf-8
"""
author: ringzero@0x557.org
home: http://github.com/ring04h/fpymysql
desc: A Friendly pymysql CURD Class
https://dev.mysql.com/doc/connector-python/en/connector-python-reference.html
SQL Injection Warning: pymysql.escape_string(value)
"""
from pymysql import (connect, cursors, err, escape_sequence)
def connect_db(mysqldb_conn):
# msyql dababase connection info
dbconn = MYSQL(
dbhost=mysqldb_conn.get('host'),
dbport=mysqldb_conn.get('port'),
dbuser=mysqldb_conn.get('user'),
dbpwd=mysqldb_conn.get('password'),
dbname=mysqldb_conn.get('db'),
dbcharset=mysqldb_conn.get('charset'))
return dbconn
def connect_ssdc(mysqldb_conn):
"""Connect to the database return SSDictCursor dbsession"""
connection = connect(
host=mysqldb_conn.get('host'),
port=int(mysqldb_conn.get('port')) or 3306,
user=mysqldb_conn.get('user'),
password=mysqldb_conn.get('password'),
db=mysqldb_conn.get('db'),
charset=mysqldb_conn.get('charset'),
cursorclass=cursors.SSDictCursor)
return connection
class MYSQL:
"""A Friendly pymysql Class, Provide CRUD functionality"""
def __init__(self, dbhost, dbuser, dbpwd, dbname, dbcharset='utf-8', dbport=3306):
self.dbhost = dbhost
self.dbport = int(dbport)
self.dbuser = dbuser
self.dbpwd = dbpwd
self.dbname = dbname
self.dbcharset = dbcharset
self.connection = self.session()
def session(self):
"""Connect to the database return dbsession"""
connection = connect(
host=self.dbhost,
port=self.dbport,
user=self.dbuser,
password=self.dbpwd,
db=self.dbname,
charset=self.dbcharset,
cursorclass=cursors.DictCursor)
return connection
def insert(self, table, data):
"""mysql insert() function"""
with self.connection.cursor() as cursor:
params = self.join_field_value(data)
sql = "INSERT IGNORE INTO {table} SET {params}".format(
table=table, params=params)
cursor.execute(sql, tuple(data.values()))
last_id = self.connection.insert_id()
self.connection.commit()
return last_id
def bulk_insert(self, table, data):
assert isinstance(data, list) and data != [], "data_format_error"
with self.connection.cursor() as cursor:
params = []
for param in data:
params.append(escape_sequence(param.values(), 'utf-8'))
values = ', '.join(params)
fields = ', '.join('`{}`'.format(x) for x in param.keys())
sql = u"INSERT IGNORE INTO {table} ({fields}) VALUES {values}".format(
fields=fields, table=table, values=values)
cursor.execute(sql)
last_id = self.connection.insert_id()
self.connection.commit()
return last_id
def delete(self, table, condition=None, limit=None):
"""
mysql delete() function
sql.PreparedStatement method
"""
with self.connection.cursor() as cursor:
prepared = []
if not condition:
where = '1'
elif isinstance(condition, dict):
where = self.join_field_value(condition, ' AND ')
prepared.extend(condition.values())
else:
where = condition
limits = "LIMIT {limit}".format(limit=limit) if limit else ""
sql = "DELETE FROM {table} WHERE {where} {limits}".format(
table=table, where=where, limits=limits)
if not prepared:
result = cursor.execute(sql)
else:
result = cursor.execute(sql, tuple(prepared))
self.connection.commit()
return result
def update(self, table, data, condition=None):
"""
mysql update() function
Use sql.PreparedStatement method
"""
with self.connection.cursor() as cursor:
prepared = []
params = self.join_field_value(data)
prepared.extend(data.values())
if not condition:
where = '1'
elif isinstance(condition, dict):
where = self.join_field_value(condition, ' AND ')
prepared.extend(condition.values())
else:
where = condition
sql = "UPDATE IGNORE {table} SET {params} WHERE {where}".format(
table=table, params=params, where=where)
# check PreparedStatement
if not prepared:
result = cursor.execute(sql)
else:
result = cursor.execute(sql, tuple(prepared))
self.connection.commit()
return result
def count(self, table, condition=None):
"""
count database record
Use sql.PreparedStatement method
"""
with self.connection.cursor() as cursor:
prepared = []
if not condition:
where = '1'
elif isinstance(condition, dict):
where = self.join_field_value(condition, ' AND ')
prepared.extend(condition.values())
else:
where = condition
sql = "SELECT COUNT(*) as cnt FROM {table} WHERE {where}".format(
table=table, where=where)
if not prepared:
cursor.execute(sql)
else:
cursor.execute(sql, tuple(prepared))
self.connection.commit()
return cursor.fetchone().get('cnt')
def fetch_rows(self, table, fields=None, condition=None, order=None, limit=None, fetchone=False):
"""
mysql select() function
Use sql.PreparedStatement method
"""
with self.connection.cursor() as cursor:
prepared = []
if not fields:
fields = '*'
elif isinstance(fields, tuple) or isinstance(fields, list):
fields = '`{0}`'.format('`, `'.join(fields))
else:
fields = fields
if not condition:
where = '1'
elif isinstance(condition, dict):
where = self.join_field_value(condition, ' AND ')
prepared.extend(condition.values())
else:
where = condition
if not order:
orderby = ''
else:
orderby = 'ORDER BY {order}'.format(order=order)
limits = "LIMIT {limit}".format(limit=limit) if limit else ""
sql = "SELECT {fields} FROM {table} WHERE {where} {orderby} {limits}".format(
fields=fields, table=table, where=where, orderby=orderby, limits=limits)
if not prepared:
cursor.execute(sql)
else:
cursor.execute(sql, tuple(prepared))
self.connection.commit()
return cursor.fetchone() if fetchone else cursor.fetchall()
def query(self, sql, fetchone=False, execute=False):
"""execute custom sql query"""
with self.connection.cursor() as cursor:
cursor.execute(sql)
self.connection.commit()
if execute:
return
return cursor.fetchone() if fetchone else cursor.fetchall()
def join_field_value(self, data, glue=', '):
sql = comma = ''
for key in data.keys():
sql += "{}`{}` = %s".format(comma, key)
comma = glue
return sql
def close(self):
if getattr(self, 'connection', 0):
return self.connection.close()
def __del__(self):
"""close mysql database connection"""
self.close()