Python 簡單工廠模式
阿新 • • 發佈:2021-01-03
假如說我有這樣一個表,我想往這個表裡面插入大量資料
1 CREATE TABLE IF NOT EXISTS `user_info` ( 2 `id` int(11) NOT NULL AUTO_INCREMENT COMMENT '自增主鍵', 3 `name` varchar(255) NOT NULL default '' COMMENT '姓名', 4 `age` int(11) NOT NULL default '0' COMMENT '年齡', 5 PRIMARY KEY (`id`) 6 ) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='使用者資訊表';
批量插入
方法一、使用for迴圈插入
在往mysql插入少量資料的時候,我們一般用for迴圈
1 $arr = [ 2 [ 3 'name' => 'testname1', 4 'age' => 18, 5 ], 6 [ 7 'name' => 'testname2', 8 'age' => 19, 9 ], 10 [ 11 'name' => 'testname3', 12 'age' => 18, 13 ], 14 ]; 15 16 $servername = "localhost"; 17 $port = 3306; 18 $username = "username"; 19 $password = "password"; 20 $dbname = "mytestdb"; 21 22 // 建立連線 23 $conn = new mysqli($servername, $username, $password, $dbname, $port); 24 25 // 檢測連線 26 if ($conn->connect_error) { 27 die("connect failed: " . $conn->connect_error); 28 } 29 30 $costBegin = microtime(true); 31 32 foreach($arr as $item) { 33 $sql = sprintf("INSERT INTO user_info (name, age) VALUES ( '%s', %d);", $item['name'], (int)$item['age']); 34 if ($conn->query($sql) === TRUE) { 35 echo "insert success"; 36 } else { 37 echo "Error: " . $sql . "<br>" . $conn->error; 38 } 39 } 40 41 $costEnd = microtime(true); 42 $cost = round($costEnd - $costBegin, 3); 43 var_dump($cost); 44 45 $conn->close();
假如說要批量插入大量資料,如果還用for迴圈的辦法插入是沒有問題的,只是時間會比較長。對比一下插入少量資料與插入大量資料,使用上面的for迴圈插入耗費的時間:條數時間(單位:秒)
方法二、使用insert語句合併插入
mysql裡面是可以使用insert語句進行合併插入的,比如
1 INSERT INTO user_info (name, age) VALUES ('name1', 18), ('name2', 19);表示一次插入兩條資料 2 3 $arr = [ 4 [ 5 'name' => 'testname1', 6 'age' => 18, 7 ], 8 [ 9 'name' => 'testname2', 10 'age' => 19, 11 ], 12 [ 13 'name' => 'testname3', 14 'age' => 18, 15 ], 16 // 此處省略 17 …… 18 …… 19 ]; 20 21 $servername = "localhost"; 22 $port = 3306; 23 $username = "username"; 24 $password = "password"; 25 $dbname = "mytestdb"; 26 27 // 建立連線 28 $conn = new mysqli($servername, $username, $password, $dbname, $port); 29 30 // 檢測連線 31 if ($conn->connect_error) { 32 die("connect failed: " . $conn->connect_error); 33 } 34 35 $costBegin = microtime(true); 36 37 if (!empty($arr)) { 38 $sql = sprintf("INSERT INTO user_info (name, age) VALUES "); 39 40 foreach($arr as $item) { 41 $itemStr = '( '; 42 $itemStr .= sprintf("'%s', %d", $item['name'], (int)$item['age']); 43 $itemStr .= '),'; 44 $sql .= $itemStr; 45 } 46 47 // 去除最後一個逗號,並且加上結束分號 48 $sql = rtrim($sql, ','); 49 $sql .= ';'; 50 51 if ($conn->query($sql) === TRUE) { 52 } else { 53 echo "Error: " . $sql . "<br>" . $conn->error; 54 } 55 } 56 57 $costEnd = microtime(true); 58 $cost = round($costEnd - $costBegin, 3); 59 var_dump($cost); 60 61 $conn->close();
下面看一下少量資料與大量資料的時間對比。從總體時間上,可以看出insert合併插入比剛才for迴圈插入節約了很多時間,效果很明顯條數時間(單位:秒)
如果你覺得陣列太大,想要減少sql錯誤的風險,也可以使用array_chunk將陣列切成指定大小的塊,然後對每個塊進行insert合併插入.
phper在進階的時候總會遇到一些問題和瓶頸,業務程式碼寫多了沒有方向感,不知道該從那裡入手去提升,對此我整理了一些資料,包括但不限於:分散式架構、高可擴充套件、高效能、高併發、伺服器效能調優、TP6,laravel,YII2,Redis,Swoole、Kafka、Mysql優化、shell指令碼、Docker、微服務、Nginx等多個知識點高階進階乾貨需要的可以免費分享給大家