在 MySQL 中批量插入值
Preet Sanghavi
2023年1月30日
2022年5月14日
本教程旨在瞭解如何使用 INSERT
語句在 MySQL 中批量插入值。
在開始批量值之前,讓我們瞭解如何使用 INSERT
語句填充單個行或條目。
INSERT INTO
語句用於在表中插入新記錄。要執行此操作,我們需要在語句中新增兩件事:
- 要插入資料的表名和列名。
- 要插入的值。
讓我們試著理解這個語句是如何工作的。
在開始之前,我們建立了一個虛擬資料集來使用。在這裡,我們建立了一個表,student_details
,以及其中的幾行。
-- create the table student_details
CREATE TABLE student_details(
stu_id int,
stu_firstName varchar(255) DEFAULT NULL,
stu_lastName varchar(255) DEFAULT NULL,
primary key(stu_id)
);
使用 INSERT
語句插入單數條目
上面的查詢讓我們建立一個名為 student_details
的表。現在藉助 INSERT
語句,讓我們嘗試為一些學生新增資料。此操作可以按如下方式完成:
-- insert rows to the table student_details
INSERT INTO student_details
VALUES(1,"Preet","Sanghavi");
上面的程式碼將在表 student_details
中輸入學生資料。我們可以使用以下命令視覺化此表:
SELECT * from student_details;
上述程式碼塊將生成以下輸出:
stu_id stu_firstName stu_lastName
1 Preet Sanghavi
使用 INSERT
語句批量插入值
雖然上面的方法可以幫助我們新增資料,但無法為多個使用者新增資料。為了使此任務更容易,我們使用以下語法在表中新增多個值:
INSERT INTO table_name (col_1, col_2, col_3)
VALUES (value_1_row_1, value_2_row_1, value_3_row_1),
(value_1_row_2, value_2_row_2, value_3_row_2);
讓我們嘗試使用上述語法同時為多個學生插入資料。我們可以使用以下方法來做到這一點:
-- insert bulk rows to the table student_details
INSERT INTO student_details(stu_id,stu_firstName,stu_lastName)
VALUES(1,"Preet","Sanghavi"),
(2,"Rich","John"),
(3,"Veron","Brow"),
(4,"Geo","Jos"),
(5,"Hash","Shah"),
(6,"Sachin","Parker"),
(7,"David","Miller");
上面的程式碼讓我們插入批量條目並生成以下內容:
stu_id stu_firstName stu_lastName
1 Preet Sanghavi
2 Rich John
3 Veron Brow
4 Geo Jos
5 Hash Shah
6 Sachin Parker
7 David Miller
因此,在 INSERT
語句的幫助下,我們可以一次有效地輸入單行和批量行。通常,在生產環境中進行批量條目以節省時間和資源。
Author: Preet Sanghavi