日日操夜夜添-日日操影院-日日草夜夜操-日日干干-精品一区二区三区波多野结衣-精品一区二区三区高清免费不卡

公告:魔扣目錄網(wǎng)為廣大站長提供免費收錄網(wǎng)站服務(wù),提交前請做好本站友鏈:【 網(wǎng)站目錄:http://www.ylptlb.cn 】, 免友鏈快審服務(wù)(50元/站),

點擊這里在線咨詢客服
新站提交
  • 網(wǎng)站:51998
  • 待審:31
  • 小程序:12
  • 文章:1030137
  • 會員:747

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

作者 | CDA數(shù)據(jù)分析師

來源 | CDA數(shù)據(jù)分析研究院

本文涉及到的開發(fā)環(huán)境:

  • 操作系統(tǒng) windows 10
  • 數(shù)據(jù)庫 MySQL 8.0
  • Python 3.7.2
  • pip 19.0.3

兩種方法進行數(shù)據(jù)庫的連接分別是PyMySQLmysql.connector

步驟

  1. 連接數(shù)據(jù)庫
  2. 生成游標(biāo)對象
  3. 執(zhí)行SQL語句
  4. 關(guān)閉游標(biāo)
  5. 關(guān)閉連接

PyMySQL

PyMySQL : 是封裝了MySQL驅(qū)動的Python驅(qū)動,一個能使Python連接到MySQL的庫

環(huán)境要求:Python version >= 3.4

PyMySQL安裝

安裝

Win鍵+X鍵再按I鍵,調(diào)出Windows PowerShell窗口,輸入

pip install PyMySQL

回車

運行結(jié)果如下則安裝成功

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

pip version ===19.0.3

查看版本

查看PyMySQL的版本,輸入

pip show PyMySQL

回車

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

利用PyMySQL連接數(shù)據(jù)庫

首先我們的MySQL數(shù)據(jù)庫已安裝,且已建好名為test的數(shù)據(jù)庫,其中有名為student的表

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

import pymysql

#連接數(shù)據(jù)庫

conn=pymysql.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

sql="select * from `student` " # SQL語句

cur.execute(sql) # 執(zhí)行SQL語句

data = cur.fetchall() # 通過fetchall方法獲得數(shù)據(jù)

for i in data[:2]: # 打印輸出前2條數(shù)據(jù)

print (i)

cur.close() # 關(guān)閉游標(biāo)

conn.close() # 關(guān)閉連接

上述代碼中,實現(xiàn)了通過Python連接MySQL查詢所有的數(shù)據(jù),并輸出前2條數(shù)據(jù)的功能。執(zhí)行結(jié)果如下:

('a', '趙大', '16')

('b', '錢二', '16')

mysql.connector

mysql-connector-python:是MySQL官方的純Python驅(qū)動;

mysql.connector安裝

安裝

pip install mysql

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

查看版本

pip show mysql

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

利用 mysql.connector連接數(shù)據(jù)庫

首先我們的MySQL數(shù)據(jù)庫已安裝,且已建好名為test的數(shù)據(jù)庫,其中有名為student的表

Python連接MySQL數(shù)據(jù)庫方法介紹(超詳細!手把手項目案例操作)

 

import mysql.connector

conn=mysql.connector.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

sql="select * from `student` " # SQL語句

cur.execute(sql) # 執(zhí)行SQL語句

data = cur.fetchall() # 通過fetchall方法獲得數(shù)據(jù)

for i in data[:2]: # 打印輸出前2條數(shù)據(jù)

print (i)

cur.close() # 關(guān)閉游標(biāo)

conn.close() # 關(guān)閉連接

上述代碼中,實現(xiàn)了通過Python連接MySQL查詢所有的數(shù)據(jù),并輸出前2條數(shù)據(jù)的功能。執(zhí)行結(jié)果如下:

('a', '趙大', '16')

('b', '錢二', '16')

Python對MySql數(shù)據(jù)庫實現(xiàn)增刪改查

接下來我們以用pymysql包為例,介紹一下如何用Python對數(shù)據(jù)庫中的數(shù)據(jù)進行增刪改查 。

import pymysql

#連接數(shù)據(jù)庫

conn=pymysql.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

#=============插入語句===============================

sql= "INSERT INTO student VALUES ('p','魏六','17')"

#===================================================

try:

cur.execute(sql1) # 執(zhí)行插入的sql語句

conn.commit() # 提交到數(shù)據(jù)庫執(zhí)行

except:

coon.rollback()# 如果發(fā)生錯誤則回滾

conn.close() # 關(guān)閉數(shù)據(jù)庫連接

然后我們再運行查詢語句

import mysql.connector

conn=mysql.connector.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

sql="select * from `student` " # SQL語句

cur.execute(sql) # 執(zhí)行SQL語句

data = cur.fetchall() # 通過fetchall方法獲得數(shù)據(jù)

for i in data[:]: # 打印輸出所有數(shù)據(jù)

print (i)

cur.close() # 關(guān)閉游標(biāo)

conn.close() # 關(guān)閉連接

執(zhí)行結(jié)果就是

('b', '錢二', '16')

('c', '張三', '17')

('d', '李四', '17')

('e', '王五', '16')

('a', '趙大', '16')

('p', '魏六', '17')

import pymysql

#連接數(shù)據(jù)庫

conn=pymysql.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

#=============刪除語句===============================

sql = "DELETE FROM student WHERE `學(xué)號` = "a"

#===================================================

try:

cur.execute(sql) # 執(zhí)行插入的sql語句

conn.commit() # 提交到數(shù)據(jù)庫執(zhí)行

except:

coon.rollback()# 如果發(fā)生錯誤則回滾

conn.close() # 關(guān)閉數(shù)據(jù)庫連接

import pymysql

#連接數(shù)據(jù)庫

conn=pymysql.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

#=============刪除語句===============================

sql ="UPDATE student SET `學(xué)員姓名` = '歐陽' WHERE `學(xué)號` = 'b' "

#===================================================

try:

cur.execute(sql) # 執(zhí)行插入的sql語句

conn.commit() # 提交到數(shù)據(jù)庫執(zhí)行

except:

coon.rollback()# 如果發(fā)生錯誤則回滾

conn.close() # 關(guān)閉數(shù)據(jù)庫連接

import pymysql

#連接數(shù)據(jù)庫

conn=pymysql.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test' # 數(shù)據(jù)庫名稱

,charset='utf8' # 字符編碼

)

cur = conn.cursor() # 生成游標(biāo)對象

#=============刪除語句===============================

sql="select * from `student` " # SQL語句

#====================================================

try:

cur.execute(sql) # 執(zhí)行插入的sql語句

data = cur.fetchall()

for i in data[:]:

print (i)

conn.commit() # 提交到數(shù)據(jù)庫執(zhí)行

except:

coon.rollback()# 如果發(fā)生錯誤則回滾

conn.close() # 關(guān)閉數(shù)據(jù)庫連接

小型案例

import pymysql

config = {

'host': '127.0.0.1',

'port': 3306,

'user': 'root',

'passwd': 'password',

'charset':'utf8',

}

conn = pymysql.connect(**config)

cursor = conn.cursor()

try:

# 創(chuàng)建數(shù)據(jù)庫

DB_NAME = 'test_3'

cursor.execute('DROP DATABASE IF EXISTS %s' %DB_NAME)

cursor.execute('CREATE DATABASE IF NOT EXISTS %s' %DB_NAME)

conn.select_db(DB_NAME)

#創(chuàng)建表

TABLE_NAME = 'bankData'

cursor.execute('CREATE TABLE %s(id int primary key,money int(30))' %TABLE_NAME)

# 批量插入紀(jì)錄

values = []

for i in range(20):

values.Append((int(i),int(156*i)))

cursor.executemany('INSERT INTO bankData values(%s,%s)',values)

conn.commit()

# 查詢數(shù)據(jù)條目

count = cursor.execute('SELECT * FROM %s' %TABLE_NAME)

print ('total records:{}'.format(cursor.rowcount))

# 獲取表名信息

desc = cursor.description

print ("%s %3s" % (desc[0][0], desc[1][0]))

cursor.scroll(10,mode='absolute')

results = cursor.fetchall()

for result in results:

print (result)

except:

import traceback

traceback.print_exc()

# 發(fā)生錯誤時會滾

conn.rollback()

finally:

# 關(guān)閉游標(biāo)連接

cursor.close()

# 關(guān)閉數(shù)據(jù)庫連接

conn.close()

綜合案例

FIFA球員信息系統(tǒng)

from pymysql import *

class Mysqlpython:

def __init__(self, database='test', host='127.0.0.1', user="root",

password='password', port=3306, charset="utf8"):

self.host = host

self.user = user

self.password = password

self.port = port

self.database = database

self.charset = charset

# 數(shù)據(jù)庫連接方法:

def open(self):

self.db = connect(host=self.host, user=self.user,

password=self.password, port=self.port,

database=self.database,

charset=self.charset)

# 游標(biāo)對象

self.cur = self.db.cursor()

# 數(shù)據(jù)庫關(guān)閉方法:

def close(self):

self.cur.close()

self.db.close()

# 數(shù)據(jù)庫執(zhí)行操作方法:

def Operation(self, sql):

try:

self.open()

self.cur.execute(sql)

self.db.commit()

print("ok")

except Exception as e:

self.db.rollback()

print("Failed", e)

self.close()

# 數(shù)據(jù)庫查詢所有操作方法:

def Search(self, sql):

try:

self.open()

self.cur.execute(sql)

result = self.cur.fetchall()

return result

except Exception as e:

print("Failed", e)

self.close()

def Insert():#如何從外面將數(shù)據(jù)錄入到sql語句中

ID = int(input("請輸入球員編號:"))

people_name = input("請輸入球員名字:")

PAC = int(input("請輸入速度評分:"))

DRI = int(input("請輸入盤帶評分:"))

SHO = int(input("請輸入射門評分:"))

DEF = int(input("請輸入防守評分:"))

PAS = int(input("請輸入傳球評分:"))

PHY = int(input("請輸入身體評分:"))

score =(PAC+DRI+SHO+DEF+PAS+PHY)/6

sql_insert = "insert into FIFA(ID, people_name, PAC,DRI,SHO,DEF, PAS, PHY, score) values(%d,'%s',%d,%d,%d,%d,%d,%d,%d)"%(ID, people_name, PAC,DRI,SHO,DEF, PAS, PHY, score)

print(people_name)

return sql_insert

def Project():

print("球員的能力評分有:")

list=['速度','盤帶','射門','防守','傳球','身體','綜合']

print(list)

def Exit():

print("歡迎下次使用!!!")

exit()

def Search_choice(num):

date = Mysqlpython()

date.open()

if num=="2":

# 1.增加操作

sql_insert = Insert()

date.Operation(sql_insert)

print("添加成功!")

Start()

elif num=="1":

# 2.查找數(shù)據(jù),其中order by 是為了按什么順序輸出,asc 是升序輸出,desc降序輸出

input_date=input("請選擇您想要以什么格式輸出:默認(rèn)升序排列1.球員編號,2.速度,3.盤帶,4.射門, 5.防守, 6.傳球, 7.身體 , 8.綜合 ")

if input_date=="1":

sql_search = "select * from FIFA order by ID asc"

elif input_date=="2":

sql_search = "select * from FIFA order by PAC asc"

elif input_date=="3":

sql_search = "select * from FIFA order by DRI asc"

elif input_date=="4":

sql_search = "select * from FIFA order by SHO asc"

elif input_date=="5":

sql_search = "select * from FIFA order by DEF asc"

elif input_date=="6":

sql_search = "select * from FIFA order by PAS asc"

elif input_date=="7":

sql_search = "select * from FIFA order by PHY asc"

elif input_date=="8":

sql_search = "select * from FIFA order by PHY score"

else:

print("請重新輸入!")

result = date.Search(sql_search)

print(" 編號 姓名 速度 盤帶 射門 防守 傳球 身體 綜合 ")

for str in result:

print(str)

Start()

elif num=="3":

Project()

Start()

elif num=="4":

del_num=input("請輸入您要刪除球員的編號:")

sql_delete="delete from FIFA where id=%s"%del_num

date.Operation(sql_delete)

print("刪除成功!")

Start()

elif num=="5":

Exit()

else:

print("輸入有誤,請重新輸入!")

def Start():

print("********************************************************")

print("* 歡迎來到FIFA球員信息系統(tǒng) *")

print("*1.查看球員信息 2.球員信息錄入 *")

print("*3.球員能力 4.刪除球員信息 *")

print("*5.退出系統(tǒng) *")

print("********************************************************")

choice = input("請輸入您的選擇:")

Search_choice(choice)

if __name__=="__main__":

Start()

銀行轉(zhuǎn)賬系統(tǒng)

先建立數(shù)據(jù)庫test_3和表bankdata

import pymysql

config = {

'host': '127.0.0.1',

'port': 3306,

'user': 'root',

'passwd': 'password',

'charset':'utf8',

}

conn = pymysql.connect(**config)

cursor = conn.cursor()

try:

# 創(chuàng)建數(shù)據(jù)庫

DB_NAME = 'test_3'

cursor.execute('DROP DATABASE IF EXISTS %s' %DB_NAME)

cursor.execute('CREATE DATABASE IF NOT EXISTS %s' %DB_NAME)

conn.select_db(DB_NAME)

#創(chuàng)建表

TABLE_NAME = 'bankData'

cursor.execute('CREATE TABLE %s(id int primary key,money int(30))' %TABLE_NAME)

# 批量插入紀(jì)錄

values = []

for i in range(20):

values.append((int(i),int(156*i)))

cursor.executemany('INSERT INTO bankData values(%s,%s)',values)

conn.commit()

# 查詢數(shù)據(jù)條目

count = cursor.execute('SELECT * FROM %s' %TABLE_NAME)

print ('total records:{}'.format(cursor.rowcount))

# 獲取表名信息

desc = cursor.description

print ("%s %3s" % (desc[0][0], desc[1][0]))

cursor.scroll(10,mode='absolute')

results = cursor.fetchall()

for result in results:

print (result)

except:

import traceback

traceback.print_exc()

# 發(fā)生錯誤時會滾

conn.rollback()

finally:

# 關(guān)閉游標(biāo)連接

cursor.close()

# 關(guān)閉數(shù)據(jù)庫連接

conn.close()

構(gòu)建系統(tǒng)

import pymysql

class TransferMoney(object):

# 構(gòu)造方法

def __init__(self, conn):

self.conn = conn

self.cur = conn.cursor()

def transfer(self, source_id, target_id, money):

if not self.check_account_avaialbe(source_id):

raise Exception("賬戶不存在")

if not self.check_account_avaialbe(target_id):

raise Exception("賬戶不存在")

if self.has_enough_money(source_id, money):

try:

self.reduce_money(source_id, money)

self.add_money(target_id, money)

except Exception as e:

print("轉(zhuǎn)賬失敗:", e)

self.conn.rollback()

else:

self.conn.commit()

print("%s給%s轉(zhuǎn)賬%s金額成功" % (source_id, target_id, money))

def check_account_avaialbe(self, acc_id):

"""判斷帳號是否存在, 傳遞的參數(shù)是銀行卡號的id"""

select_sqli = "select * from bankData where id=%d;" % (acc_id)

print("execute sql:", select_sqli)

res_count = self.cur.execute(select_sqli)

if res_count == 1:

return True

else:

# raise Exception("賬戶%s不存在" %(acc_id))

return False

def has_enough_money(self, acc_id, money):

"""判斷acc_id賬戶上金額> money"""

# 查找acc_id存儲金額?

select_sqli = "select money from bankData where id=%d;" % (acc_id)

print("execute sql:", select_sqli)

self.cur.execute(select_sqli) # ((1, 500), )

# 獲取查詢到的金額錢數(shù);

acc_money = self.cur.fetchone()[0]

# 判斷

if acc_money >= money:

return True

else:

return False

def add_money(self, acc_id, money):

update_sqli = "update bankData set money=money+%d where id=%d" % (money, acc_id)

print("add money:", update_sqli)

self.cur.execute(update_sqli)

def reduce_money(self, acc_id, money):

update_sqli = "update bankData set money=money-%d where id=%d" % (money, acc_id)

print("reduce money:", update_sqli)

self.cur.execute(update_sqli)

# 析構(gòu)方法

def __del__(self):

self.cur.close()

self.conn.close()

if __name__ == '__main__':

# 1. 連接數(shù)據(jù)庫,

conn = pymysql.connect(host = '127.0.0.1' # 連接名稱,默認(rèn)127.0.0.1

,user = 'root' # 用戶名

,passwd='password' # 密碼

,port= 3306 # 端口,默認(rèn)為3306

,db='test_3' # 數(shù)據(jù)庫名稱

,charset='utf8'

,autocommit=True, # 如果插入數(shù)據(jù),自動提交給數(shù)據(jù)庫

)

trans = TransferMoney(conn)

trans.transfer(15, 12, 200)

分享到:
標(biāo)簽:Python MySQL
用戶無頭像

網(wǎng)友整理

注冊時間:

網(wǎng)站:5 個   小程序:0 個  文章:12 篇

  • 51998

    網(wǎng)站

  • 12

    小程序

  • 1030137

    文章

  • 747

    會員

趕快注冊賬號,推廣您的網(wǎng)站吧!
最新入駐小程序

數(shù)獨大挑戰(zhàn)2018-06-03

數(shù)獨一種數(shù)學(xué)游戲,玩家需要根據(jù)9

答題星2018-06-03

您可以通過答題星輕松地創(chuàng)建試卷

全階人生考試2018-06-03

各種考試題,題庫,初中,高中,大學(xué)四六

運動步數(shù)有氧達人2018-06-03

記錄運動步數(shù),積累氧氣值。還可偷

每日養(yǎng)生app2018-06-03

每日養(yǎng)生,天天健康

體育訓(xùn)練成績評定2018-06-03

通用課目體育訓(xùn)練成績評定