python連結mysql資料庫詳解

pythontab發表於2012-12-21

學習了有些基本的python的東西,總想自己動手寫一個程式,但是寫程式不用資料庫,顯得太低端,那麼python連結mysql怎麼來操作呢?下面就為大家來詳細介紹下

我採用的是MySQLdb操作的MYSQL資料庫。先來一個簡單的例子吧:

 

import MySQLdb
 
try:
    conn=MySQLdb.connect(host='localhost',user='pythontab.com',passwd='pythontab',db='pythontab',port=3306)
    cur=conn.cursor()
    cur.execute('select * from user')
    cur.close()
    conn.close()
except MySQLdb.Error,e:
    print "Mysql Error %d: %s" % (e.args[0], e.args[1])

下面來大致演示一下插入資料,批次插入資料,更新資料的例子吧:  請注意修改你的資料庫,主機名,使用者名稱,密碼。

import MySQLdb
 
try:
    conn=MySQLdb.connect(host='localhost',user='pythontab.com',passwd='pythontab',port=3306)
    cur=conn.cursor()
     
    cur.execute('create database if not exists python')
    conn.select_db('python')
    cur.execute('create table test(id int,info varchar(20))')
     
    value=[1,'hi pythontab.com']
    cur.execute('insert into test values(%s,%s)',value)
     
    values=[]
    for i in range(20):
        values.append((i,'hi pythontab.com'+str(i)))
         
    cur.executemany('insert into test values(%s,%s)',values)
 
    cur.execute('update test set info="I am pythontab.com" where id=3')
 
    conn.commit()
    cur.close()
    conn.close()
 
except MySQLdb.Error,e:
    print "Mysql Error %d: %s" % (e.args[0], e.args[1])

執行之後我的MySQL資料庫的結果就不上圖了。  請注意一定要有conn.commit()這句來提交事務,要不然不能真正的插入資料。

import MySQLdb
 
try:
    conn=MySQLdb.connect(host='localhost',user='pythontab.com',passwd='pythontab',port=3306)
    cur=conn.cursor()
     
    conn.select_db('python')
 
    count=cur.execute('select * from test')
    print 'there has %s rows record' % count
 
    result=cur.fetchone()
    print result
    print 'ID: %s info %s'%result
 
    results=cur.fetchmany(5)
    for r in results:
        print r
 
    print '=='*10
    cur.scroll(0,mode='absolute')
 
    results=cur.fetchall()
    for r in results:
        print r[1]
     
 
    conn.commit()
    cur.close()
    conn.close()
 
except MySQLdb.Error,e:
     print "Mysql Error %d: %s" % (e.args[0], e.args[1])

在Python程式碼 查詢後中文會正確顯示,但在資料庫中卻是亂碼的。注意這裡要新增一個引數charset:

conn = MySQLdb.Connect(host='localhost', user='root', passwd='root', db='python') 中加一個屬性:
 改為:
conn = MySQLdb.Connect(host='localhost', user='root', passwd='root', db='python',charset='utf8') 
charset是要跟你資料庫的編碼一樣,如果是資料庫是gb2312 ,則寫charset='gb2312'。

 

備註:python mysql連結常用函式

commit() 提交
rollback() 回滾

cursor用來執行命令的方法:
callproc(self, procname, args):用來執行儲存過程,接收的引數為儲存過程名和引數列表,返回值為受影響的行數
execute(self, query, args):執行單條sql語句,接收的引數為sql語句本身和使用的引數列表,返回值為受影響的行數
executemany(self, query, args):執行單挑sql語句,但是重複執行引數列表裡的引數,返回值為受影響的行數
nextset(self):移動到下一個結果集

cursor用來接收返回值的方法:
fetchall(self):接收全部的返回結果行.
fetchmany(self, size=None):接收size條返回結果行.如果size的值大於返回的結果行的數量,則會返回cursor.arraysize條資料.
fetchone(self):返回一條結果行.
scroll(self, value, mode='relative'):移動指標到某一行.如果mode='relative',則表示從當前所在行移動value條,如果 mode='absolute',則表示從結果集的第一行移動value條.

相關文章