2013-10-15 85 views
3

我有一個在我的Python代碼之外定義的MySQL數據庫。我正在使用反射來獲取它到SQLAlchemy中,所以我沒有任何可以修改的類定義。我不必擔心會丟失精度,並且我在Python中對結果進行了一些算術運算,因此我寧願不必手動將一堆值轉換爲float或Decimal。如何使sqlalchemy在反映表時返回float而不是decimal?

import sqlalchemy as sa 

eng = sa.create_engine("mysql+pymysql://user:[email protected]/database") 
eng.execute("create table if not exists foo (x double not null)") 
eng.execute("insert into foo (x) values (0.1)") 

md = sa.MetaData(bind=eng) 
md.reflect() 
foo = md.tables["foo"] 

res = eng.execute(foo.select()) 
row = res.fetchone() 
print(type(row.x)) 
print(repr(foo.c.x.type)) 

輸出:

<class 'decimal.Decimal'> 
DOUBLE 

回答

3

this post使用的建議,而不是利用反射表,直到我設置了asdecimal屬性,我可以得到花車,而不是小數。

import sqlalchemy as sa 

eng = sa.create_engine("mysql+pymysql://chiptest:[email protected]/bench_drylake") 
eng.execute("create table if not exists foo (x double not null)") 
eng.execute("insert into foo (x) values (0.1)") 

md = sa.MetaData(bind=eng) 
md.reflect() 
foo = md.tables["foo"] 

# this needs to happen before any queries 
for table in md.tables.values(): 
    for column in table.columns.values(): 
     if isinstance(column.type, sa.Numeric): 
      column.type.asdecimal = False 

res = eng.execute(foo.select()) 
row = res.fetchone() 
print(type(row.x)) 
print(repr(foo.c.x.type)) 

輸出:

<class 'float'> 
DOUBLE(asdecimal=False) 

注:如果您設置asdecimal = False之前做的反射表的查詢,column.type仍然顯示爲DOUBLE(asdecimal=False),但值的類型依然是Decimal。我猜這是因爲SQLAlchemy正在做某種緩存,但我現在不打算明確這一點。

+2

對於'SQLAlchemy'型號的容器內工作,你只是做這樣的事情:https://gist.github.com/dennismonsewicz/f7fd9184a1950912d0ea – dennismonsewicz

+0

@dennismonsewicz你應該張貼作爲回答您的評論。 – Worker

+0

@Worker這在技術上並不是這個問題的答案,儘管它肯定是相關的,並且可能對尋找這個問題的人有用。 – jpkotta

相關問題