python資料查詢操作之 一場缺少db.commit()引發的血案……
阿新 • • 發佈:2018-11-07
---恢復內容開始---
最近大作業用到了python操作資料庫的內容。涉及的庫是pymmysql,我就不詳細介紹這個庫的操作了,直接奔入主題--->開整
背景:
涉及程式中一個實時檢視資料表中state欄位==1的功能,我把這個功能單獨擇出來寫成了下面的程式碼:
1 # -*- coding=utf-8 -*- 2 import pymysql 3 config={ 4 "host":"127.0.0.1", 5 "user":"root", 6 "password":"root", 7 "database":"Person" 8 } 9 db = pymysql.connect(**config) 10 cursor=db.cursor() 11 while True: 12 a=input("Input something interesting:") 13 sql = "select username from client where state=1" 14 try: 15 cursor.execute(sql) 16 result=cursor.fetchall() 17 except: 18 db.rollback() 19 print(result) 20 cursor.close() 21 db.close()
這是資料庫Person的資料表client內容,關鍵在最後的state內容
執行這個程式碼:python3 testdb.py 出現下面效果:
現在看起來是正確的,當時現在不關閉這個python程式,使其阻塞,同時更改資料庫內容
我把Iverson這條資料的狀態state也設為1,然後跑去python繼續執行看有什麼結果
發現,雖然直接操控資料庫成功,程式碼查詢還是以前的結果沒有變化……
解決方案:
做了很多次修改,把cursor的定義和關閉都放到while迴圈裡面都沒變化還是存在問題;
最後才發現我是少了關鍵的一行程式碼---db.commit(),新增後的程式碼
1 import pymysql 2 config={ 3 "host":"127.0.0.1", 4 "user":"root", 5 "password":"root", 6 "database":"Person" 7 } 8 db = pymysql.connect(**config) 9 cursor=db.cursor() 10 while True: 11 a=input("Input something interesting:") 12 sql = "select username from client where state=1" 13 try: 14 cursor.execute(sql) 15 db.commit() 16 result=cursor.fetchall() 17 except: 18 db.rollback() 19 print(result) 20 cursor.close() 21 db.close()
執行下:
初始狀態
更改資料庫:
再次測試程式碼:
這次終於沒問題了……心累
總結:
第一次看python關於mysql的操作的是菜鳥教程,關於commit方法第一感覺是這個方法只用來提交“資料”,比如插入資料、更新資料需要在execute()後面跟上一個commit();現在看來,commit()方法需要跟在增(insert)、刪(delete)、改(update)、查(select)的任何execute()語句後面。commit是把查詢語句提交到資料庫內,而不只是要向資料庫提交增、添的資料。
就這樣吧……
---恢復內容結束---