章节
- Python MySQL 入门
- Python MySQL 创建数据库
- Python MySQL 创建表
- Python MySQL 插入表
- Python MySQL Select
- Python MySQL Where
- Python MySQL Order By
- Python MySQL Delete
- Python MySQL 删除表
- Python MySQL Update
- Python MySQL Limit
- Python MySQL Join
从表中选取(SELECT)数据
从MySQL表中选取(SELECT)数据,使用“SELECT”语句:
示例
从“customers”表中选取(SELECT)所有记录,并显示结果:
import mysql.connector
mydb = mysql.connector.connect(
host="localhost",
user="你的用户名",
passwd="你的密码",
database="mydatabase"
)
mycursor = mydb.cursor()
mycursor.execute("SELECT * FROM customers")
myresult = mycursor.fetchall()
for x in myresult:
print(x)
注意: 我们使用了
fetchall()
方法,它从最后所执行语句的结果中,获取所有行。
选取(SELECT)部分字段
如果要选取表中的部分字段,使用“SELECT 字段1, 字段2 ...”语句:
示例
选择name
和address
字段:
import mysql.connector
mydb = mysql.connector.connect(
host="localhost",
user="你的用户名",
passwd="你的密码",
database="mydatabase"
)
mycursor = mydb.cursor()
mycursor.execute("SELECT name, address FROM customers")
myresult = mycursor.fetchall()
for x in myresult:
print(x)
使用fetchone()方法
如果只想获取一行记录,可以使用fetchone()
方法。
fetchone()
方法将返回结果的第一行:
示例
只取一行:
import mysql.connector
mydb = mysql.connector.connect(
host="localhost",
user="你的用户名",
passwd="你的密码",
database="mydatabase"
)
mycursor = mydb.cursor()
mycursor.execute("SELECT * FROM customers")
myresult = mycursor.fetchone()
print(myresult)