2017-02-08 31 views
1

我有一些數據,我要插入到表中的Netezza:蟒蛇datetime.date不匹配SQL日期

import pyodbc 
data=[['GZ', datetime.date(2017, 2, 8), 19.7, 10.7, 0, '1級'], 
     ['GZ', datetime.date(2017, 2, 9), 16.3, 9.7, -1, '微風'], 
     ['GZ', datetime.date(2017, 2, 10), 16.0, 10.0, -1, '微風']] 
conn = pyodbc.connect("DRIVER={NetezzaSQL}; SERVER=**;DATABASE=weather; UID=**; PASSWORD=**;") 
cur = conn.cursor() 
for i in data: 
    cur.execute(""" 
     insert into WEATHER_INFO(location,weather_date,high_tempature,low_tempature,weather,wind) 
     values(\'%s\',%s,%s,%s,%s,\'%s\') 
     """ % (i[0], i[1], i[2], i[3], i[4], i[5])) 
    conn.commit() 
cur.execute('select * from WEATHER_INFO') 
print(cur.fetchall()) 
cur.close() 
conn.close() 

我得到一些錯誤:

pyodbc.Error: ('HY000', "[HY000] ERROR: Attribute 'WEATHER_DATE' is of type 'DATE' 
but expression is of type 'INT4'\n\tYou will need to rewrite or cast the expression (46) 
(SQLExecDirectW)") 

這是表結構:

create table weather(
location varchar(20), 
weather_date date, 
high_tempature float(4,1), 
low_temputare float(4,1), 
weather int(11), 
wind varchar(20) 
); 

我知道python datime.date應該匹配SQL日期。我沒有通過搜索stackoverflow得到我想要的答案。那麼我該如何解決這個問題呢?

回答

1

您的問題是您正在使用字符串格式操作符%創建動態SQL並且這些SQL語句格式錯誤。如果我們打印出您要執行他們看起來像

insert into WEATHER_INFO(location,weather_date,high_tempature,low_tempature,weather,wind) 
values('GZ',2017-02-08,19.7,10.7,0,'1級') 

注意,所以它被解釋爲一個整數表達式的日期值插入爲2017-02-08無定界符實際的語句。

你需要做的是使用合適的參數化查詢

sql = """\ 
insert into WEATHER_INFO(location,weather_date,high_tempature,low_tempature,weather,wind) 
values(?,?,?,?,?,?) 
""" 
for i in data: 
    cur.execute(sql, i) 
    conn.commit() 

或者只是

sql = """\ 
insert into WEATHER_INFO(location,weather_date,high_tempature,low_tempature,weather,wind) 
values(?,?,?,?,?,?) 
""" 
cur.executemany(sql, data) 
conn.commit()