后台服务在运行时发现一个问题,运行约15分钟后,接口请求报错
pymysql.err.InterfaceError: (0, '')
这个错误提示一般发生在将None赋给多个值,定位问题时发现
pymysql.err.OperationalError: (2013, 'Lost connection to MySQL server during query')
如何解决这个问题呢
class MysqlConnection(object):
"""
mysql操作类,对mysql数据库进行增删改查
"""
def __init__(self, config):
# Connect to the database
self.connection = pymysql.connect(**config)
self.cursor = self.connection.cursor()
def Query(self, sql):
"""
查询数据
:param sql:
:return:
"""
self.cursor.execute(sql)
return self.cursor.fetchall()
在分析问题前,先看看Python 数据库的Connection、Cursor两大对象
Connection、Cursor形象比喻
用于执行查询和获取结果
execute方法:执行SQL,将结果从数据库获取到客户端
调试代码,将超时时间设置较长
self.connection._write_timeout = 10000
发现并没有生效
使用try...except...
方法捕获失败后重新连接数据库
try:
self.cursor.execute(sql)
except:
self.connection()
self.cursor.execute(sql)
直接抛出异常,并没有执行except代码段
打印self.connection
,输出如下:
抛出异常重新connect是不行的,因为connections
仍存在未失效
找到一种方法可以解决问题,在每次连接之前,判断该链接是否有效,pymysql提供的接口是 Connection.ping()
这个该方法的源码
def ping(self, reconnect=True):
"""Check if the server is alive"""
if self._sock is None:
if reconnect:
self.connect()
reconnect = False
else:
raise err.Error("Already closed")
try:
self._execute_command(COMMAND.COM_PING, "")
return self._read_ok_packet()
except Exception:
if reconnect:
self.connect()
return self.ping(False)
else:
raise
在每次请求数据库前执行如下代码
def reConnect(self):
try:
self.connection.ping()
except:
self.connection()
不过这样的方式虽然能解决问题,但是感觉相对较low,希望有更好的处理方法
目前已实现的数据库查询这部分的代码
import pymysql
class DBManager(object):
def __init__(self,config):
self.connection = pymysql.connect(**config) # config为数据库登录验证配置信息
self.cursor = self.connection.cursor()
def query(self, sql, params):
try:
with self.connection.cursor() as cursor:
cursor.execute(sql, params)
result = cursor.fetchall()
self.connection.commit()
return result
# self.connection.close()
except Exception as e:
traceback.print_exc()