每个数据库后端都支持不同类型的数据。sqlite 和 mysqldb python 模块尝试通过基于字段类型进行适当的类型转换来帮助您。因此,如果您的 mysql 数据库有一个 DECIMAL 字段,MySQLdb 将自动将该字段作为 Python Decimal 对象返回。
您可以请求 MySQLdb(如果需要,还可以请求 sqlite)在数据库和 Python 类型之间进行适当的类型转换。由您决定适合的类型转换。例如,由于您的数据库有一个 DECIMAL 字段,那么您将如何在没有原生 DECIMAL 字段的 sqlite 中表示该值?您可能最终会使用 REAL,但当然这与 DECIMAL 不同,后者将保持所需的精度。
由于您已经从 csv 数据转换,我怀疑您一直在使用 Python 浮点类型,这表明您很乐意将 MySQL 十进制字段转换为浮点类型。在这种情况下,您可以请求 MySQLdb 从 DECIMAL 进行转换以浮动所有字段结果。
这是一个示例代码,它创建了两个表,一个在 mysqldb 和 sqlite 中。MySQL 版本有一个 DECIMAL 字段。您可以在query_dbs
函数中看到如何创建自己的转换函数。
#!/usr/bin/env python
import os
import sqlite3
import MySQLdb
from MySQLdb.constants import FIELD_TYPE
user = os.getenv('USER')
def create_mysql_table():
conn = MySQLdb.connect(user=user, db='foo')
c = conn.cursor()
c.execute("DROP TABLE stocks")
c.execute("CREATE TABLE stocks"
"(date text, trans text, symbol text, qty real, price Decimal(10,2) UNSIGNED NOT NULL)")
c.execute("INSERT INTO stocks VALUES ('2006-01-05','BUY','RHAT',100,35.14)")
conn.commit()
def create_sqlite_table():
conn = sqlite3.connect('test.db')
c = conn.cursor()
c.execute("DROP TABLE stocks")
c.execute("CREATE TABLE stocks"
"(date text, trans text, symbol text, qty real, price real)")
c.execute("INSERT INTO stocks VALUES ('2006-01-05','BUY','RHAT',100,35.14)")
conn.commit()
def query_dbs(use_type_converters):
conn = sqlite3.connect('test.db')
c = conn.cursor()
for row in c.execute('SELECT * FROM stocks'):
print 'SQLITE: %s' % str(row)
type_converters = MySQLdb.converters.conversions.copy()
if use_type_converters:
type_converters.update({
FIELD_TYPE.DECIMAL: float,
FIELD_TYPE.NEWDECIMAL: float,
})
conn = MySQLdb.connect(user=user, db='foo', conv=type_converters)
c = conn.cursor()
c.execute('SELECT * FROM stocks')
for row in c.fetchall():
print 'MYSQLDB: %s' % str(row)
create_sqlite_table()
create_mysql_table()
print "Without type conversion:"
query_dbs(False)
print "With type conversion:"
query_dbs(True)
该脚本在我的机器上产生以下输出:
Without type conversion:
SQLITE: (u'2006-01-05', u'BUY', u'RHAT', 100.0, 35.14)
MYSQLDB: ('2006-01-05', 'BUY', 'RHAT', 100.0, Decimal('35.14'))
With type conversion:
SQLITE: (u'2006-01-05', u'BUY', u'RHAT', 100.0, 35.14)
MYSQLDB: ('2006-01-05', 'BUY', 'RHAT', 100.0, 35.14)
这表明,默认情况下 MySQLdb 返回 Decimal 类型,但可以强制返回不同的类型,适用于 sqlite。
然后,一旦您在两个数据库之间标准化了所有类型,您就不应该再遇到连接问题。
Python MySQLdb 文档在这里