- Python SQLite 教程
- Python SQLite - 首页
- Python SQLite - 简介
- Python SQLite - 建立连接
- Python SQLite - 创建表格
- Python SQLite - 插入数据
- Python SQLite - 选择数据
- Python SQLite - Where 子句
- Python SQLite - Order By
- Python SQLite - 更新表格
- Python SQLite - 删除数据
- Python SQLite - 删除表格
- Python SQLite - Limit
- Python SQLite - Join
- Python SQLite - 游标对象
- Python SQLite 有用资源
- Python SQLite - 快速指南
- Python SQLite - 有用资源
- Python SQLite - 讨论
Python SQLite - Limit
在获取记录时,若要通过特定数字限制这些记录,可以使用 SQLite 的 LIMIT 子句执行此操作。
语法
以下是 SQLite 中 LIMIT 子句的语法 −
SELECT column1, column2, columnN FROM table_name LIMIT [no of rows]
示例
假设我们已使用以下查询创建了一个名为 CRICKETERS 的表格 −
sqlite> CREATE TABLE CRICKETERS ( First_Name VARCHAR(255), Last_Name VARCHAR(255), Age int, Place_Of_Birth VARCHAR(255), Country VARCHAR(255) ); sqlite>
如果我们已使用 INSERT 语句向其中插入 5 条记录,如下所示 −
sqlite> insert into CRICKETERS values('Shikhar', 'Dhawan', 33, 'Delhi', 'India'); sqlite> insert into CRICKETERS values('Jonathan', 'Trott', 38, 'CapeTown', 'SouthAfrica'); sqlite> insert into CRICKETERS values('Kumara', 'Sangakkara', 41, 'Matale', 'Srilanka'); sqlite> insert into CRICKETERS values('Virat', 'Kohli', 30, 'Delhi', 'India'); sqlite> insert into CRICKETERS values('Rohit', 'Sharma', 32, 'Nagpur', 'India'); sqlite>
以下语句使用 LIMIT 子句检索了 Cricketers 表格的前 3 条记录 −
sqlite> SELECT * FROM CRICKETERS LIMIT 3; First_Name Last_Name Age Place_Of_B Country ---------- ---------- ---- ---------- ------------- Shikhar Dhawan 33 Delhi India Jonathan Trott 38 CapeTown SouthAfrica Kumara Sangakkara 41 Matale Srilanka sqlite>
若要从第 n 条记录开始(不是第 1 条)限制记录,可以使用 OFFSET 和 LIMIT 一起执行此操作。
sqlite> SELECT * FROM CRICKETERS LIMIT 3 OFFSET 2; First_Name Last_Name Age Place_Of_B Country ---------- ---------- ---- ---------- -------- Kumara Sangakkara 41 Matale Srilanka Virat Kohli 30 Delhi India Rohit Sharma 32 Nagpur India sqlite>
使用 Python 的 LIMIT 子句
如果你通过传递 SELECT 查询和 LIMIT 子句调用游标对象的 execute() 方法,可以检索所需数量的记录。
示例
以下 Python 示例使用 LIMIT 子句检索了 EMPLOYEE 表格的前两条记录。
import sqlite3 #Connecting to sqlite conn = sqlite3.connect('example.db') #Creating a cursor object using the cursor() method cursor = conn.cursor() #Retrieving single row sql = '''SELECT * from EMPLOYEE LIMIT 3''' #Executing the query cursor.execute(sql) #Fetching the data result = cursor.fetchall(); print(result) #Commit your changes in the database conn.commit() #Closing the connection conn.close()
输出
[ ('Ramya', 'Rama priya', 27, 'F', 9000.0), ('Vinay', 'Battacharya', 20, 'M', 6000.0), ('Sharukh', 'Sheik', 25, 'M', 8300.0) ]
广告