Python MySQL-제한
레코드를 가져 오는 동안 특정 수로 제한하려면 MYSQL의 LIMIT 절을 사용하면됩니다.
예
MySQL에서 EMPLOYEES라는 이름으로 테이블을 만들었다 고 가정합니다.
mysql> CREATE TABLE EMPLOYEE(
FIRST_NAME CHAR(20) NOT NULL,
LAST_NAME CHAR(20),
AGE INT,
SEX CHAR(1),
INCOME FLOAT
);
Query OK, 0 rows affected (0.36 sec)
그리고 INSERT 문을 사용하여 4 개의 레코드를 삽입했다면-
mysql> INSERT INTO EMPLOYEE VALUES
('Krishna', 'Sharma', 19, 'M', 2000),
('Raj', 'Kandukuri', 20, 'M', 7000),
('Ramya', 'Ramapriya', 25, 'F', 5000),
('Mac', 'Mohan', 26, 'M', 2000);
다음 SQL 문은 LIMIT 절을 사용하여 Employee 테이블의 처음 두 레코드를 검색합니다.
SELECT * FROM EMPLOYEE LIMIT 2;
+------------+-----------+------+------+--------+
| FIRST_NAME | LAST_NAME | AGE | SEX | INCOME |
+------------+-----------+------+------+--------+
| Krishna | Sharma | 19| M | 2000 |
| Raj | Kandukuri | 20| M | 7000 |
+------------+-----------+------+------+--------+
2 rows in set (0.00 sec)
Python을 사용한 제한 조항
호출하면 execute() LIMIT 절과 함께 SELECT 쿼리를 전달하여 커서 개체의 메서드를 사용하면 필요한 레코드 수를 검색 할 수 있습니다.
예
다음 python 예제는 EMPLOYEE라는 이름의 테이블을 만들고 채우며 LIMIT 절을 사용하여 테이블의 처음 두 레코드를 가져옵니다.
import mysql.connector
#establishing the connection
conn = mysql.connector.connect(
user='root', password='password', host='127.0.0.1', database='mydb'
)
#Creating a cursor object using the cursor() method
cursor = conn.cursor()
#Retrieving single row
sql = '''SELECT * from EMPLOYEE LIMIT 2'''
#Executing the query
cursor.execute(sql)
#Fetching the data
result = cursor.fetchall();
print(result)
#Closing the connection
conn.close()
산출
[('Krishna', 'Sharma', 26, 'M', 2000.0), ('Raj', 'Kandukuri', 20, 'M', 7000.0)]
오프셋으로 제한
첫 번째가 아닌 n 번째 레코드부터 시작하는 레코드를 제한해야하는 경우 LIMIT와 함께 OFFSET을 사용하여 그렇게 할 수 있습니다.
Example
import mysql.connector
#establishing the connection
conn = mysql.connector.connect(
user='root', password='password', host='127.0.0.1', database='mydb'
)
#Creating a cursor object using the cursor() method
cursor = conn.cursor()
#Retrieving single row
sql = '''SELECT * from EMPLOYEE LIMIT 2 OFFSET 2'''
#Executing the query
cursor.execute(sql)
#Fetching the data
result = cursor.fetchall();
print(result)
#Closing the connection
conn.close()
Output
[('Ramya', 'Ramapriya', 29, 'F', 5000.0), ('Mac', 'Mohan', 26, 'M', 2000.0)]