SQLite3基本使用從shell到python

2021-06-21 20:39:12 字數 2308 閱讀 9687

sqlite是乙個輕量級的關係型資料庫,在訪問量不超過10萬pv的中小**中使用綽綽有餘。而且使用方便,介面簡單,下面從命令列和python介面兩方面介紹sqlite3的基本操作。

在linux終端中,通過 sqlite3 a.db 開啟a.db資料庫,如果不存在會自動建立,建立乙個**:

create table users(id integer primary key,name text,level integer);

然後插入新的資料:

insert into users(name,level) values('李斯',2);

insert into users(name,level) values('張三',4);

insert into users(name,level) values('王五',3);

顯示**內容:

sqlite> .mode column

sqlite> .headers on

sqlite> select * from users;

id name level

---------- ---------- ----------

1 李斯 2

2 張三 4

3 王五 3

更新李斯的level變為1,操作如下:

sqlite> update users set level=1 where name='李斯';

sqlite> select * from users;

id name level

---------- ---------- ----------

1 李斯 1

2 張三 4

3 王五 3

刪除張三的資料:

sqlite> delete from users where name='張三';

sqlite> select * from users;

id name level

---------- ---------- ----------

1 李斯 1

3 王五 3

上面這些操作可以滿足基本sqlite的使用了,下面通過python的介面呼叫:

連線資料庫:

>>> import sqlite3

>>> db=sqlite3.connect('a.db')

>>> c=db.cursor()

插入乙個使用者的資訊:

>>> c.execute('insert into users(name,level) values("田田蹦",9)')

>>> db.commit()

全部取出表中的資料:

>>> c.execute('select * from users')

>>> c.fetchall()

[(1, '李斯', 1), (3, '王五', 3), (4, '田田蹦', 9)]

一行一行取出表中資料:

>>> c.execute('select * from users')

>>> c.fetchone()

(1, '李斯', 1)

>>> c.fetchone()

(3, '王五', 3)

>>> c.fetchone()

(4, '田田蹦', 9)

>>> c.fetchone() == none

true

關閉游標物件並關閉資料庫連線:

>>> c.close()

>>> db.close()

python下對sqlite的更新和刪除操作參考上面的插入操作,是一樣一樣的,非常方便,得到的**資料是list,每行資料是乙個tuple,後續操作也非常方便。

sqlite3的基本使用

在linux下使用sqlite資料庫 2.其次在當前目錄中建立資料庫,使用如下命令 sqlite3 test.db 3.進入資料庫後,在提示符 sqlite 輸入如下命令 sqlite databases 此時,到當前目錄下,可以看到test.db生成 這樣,資料庫建立完成 4.在test.db資料...

使用sqlite3 模組操作sqlite3資料庫

python內建了sqlite3模組,可以操作流行的嵌入式資料庫sqlite3。如果看了我前面的使用 pymysql 操作mysql資料庫這篇文章就更簡單了。因為它們都遵循pep 249,所以操作方法幾乎相同。廢話就不多說了,直接看 吧。都差不多,首先匯入模組,然後建立連線,然後獲取游標物件,之後利...

SQlite3基本用法,使用sublime編輯器

coding utf 8 import sqlite3 1.連線資料庫,檔案不存在自動建立新的資料庫檔案 connect sqlite3.connect database.db 2.連線游標 cursor connect.cursor 3.向資料庫database.db新增一張表,以及四個欄位id,...