使用SQL语句对数据库进行增删改查
程序员文章站
2022-05-06 20:57:10
...
什么是数据库
数据库,又称为数据管理系统,简而言之可视为电子化的文件柜——存储电子文件的处所,用户可以对文件中的数据运行新增、截取、更新、删除等操作。
所谓“数据库”系以一定方式储存在一起、能予多个用户共享、具有尽可能小的冗余度、与应用程序彼此独立的数据集合。一个数据库由多个表空间(Tablespace)构成。
创建数据库文件
导入模块 —> 创建connection连接对象 —> 创建cursor游标对象 —> 执行SQL语句 —> 关闭游标 —> 关闭连接
#导入模块
import sqlite3
#创建连接对象
conn = sqlite3.connect('language.db')
#创建游标对象
cursor = conn.cursor()
#执行SQL语句
cursor.execute('create table user(number int(5) primary key, name varchar(10))') #条件
#关闭游标
cursor.close()
#关闭连接
conn.close()
增加 insert into
import sqlite3
conn = sqlite3.connect('language.db')
cursor = conn.cursor()
#执行增加语句
sql = 'insert into user (number,name) values(?,?)'
content = [(1,'C'),(2,'C#'),(3,'Python'),(4,'java')]
cursor.executemany(sql,content)
cursor.close()
conn.commit() #提交事务
conn.close()
删除 delete from
import sqlite3
conn = sqlite3.connect('language.db')
cursor = conn.cursor()
#执行删除语句
sql = 'delete from user where number = ?'
cursor.execute(sql,(1,)) #删除number为1时对应的C
cursor.close()
conn.commit()
conn.close()
更改 update set
import sqlite3
conn = sqlite3.connect('language.db')
cursor = conn.cursor()
#执行更改语句
sql = 'update user set name = ? where number = ?'
cursor.execute(sql,('javascript',3)) #将number为3时对应的Python改为javascript
cursor.close()
conn.commit()
conn.close()
查询 select from
import sqlite3
conn = sqlite3.connect('language.db')
cursor = conn.cursor()
#执行查询语句
sql = 'select * from user where number = 3' #条件查询
cursor.execute(sql)
print(cursor.fetchall())
cursor.close()
#查询不需要提交事务
conn.close()
#结果显示number为3,以及3对应的Python。
fetchone() :查询下一条数据(从第一条开始)。
fetchmany(x) : 查询x条数据。
fetchall(): 查询全部数据。
推荐阅读