PDO MySQL:在一个查询中插入多行

你好,我正在做一个类在pdo做多重插入。

这是这样的

INSERT INTO $table (key1,key2,key3,etc) VALUE (value1,value2,value3,etc), (value1,value2,value3,etc), (value1,value2,value3,etc) 

search后,我发现我必须build立类似的东西

 INSERT INTO $table (key1,key2,key3,etc) VALUE (:key1,:key2,:key3,etc), (:key1,:key2,:key3,etc), (:key1,:key2,:key3,etc) 

然后执行这个$this->execute($data); $data是哪里

  0 => array 'key1' => 'value1' 'key2' => 'value2' 'key3' => 'value3' 1 => array 'key1' => 'value1' 'key2' => 'value2' 'key3' => 'value3' etc 

问题是我仍然得到一个错误的Array to string conversion$insert->execute($data); 我该如何解决这个问题?

这是我正在做的一个片段。

 public function multipleInsert($table, $data = array()) { # INSERT (name) VALUE (value),(value) if (count($data) > 1) { $fieldnames = array_keys($data[0]); $count_inserts = count(array_values($data)); $count_values = count(array_values($data[0])); # array(????) untill x from first data for($i = 0; $i < $count_values; $i++) { $placeholder[] = '?'; } # array((????),(????),(????)) for query for ($i=0; $i < $count_inserts; $i++) { $placeholders[] = '('. implode(',',$placeholder) . ')'; } $query = 'INSERT INTO '. $table; $query .= '(`'. implode('`, `', $fieldnames) .'`)'; $query .= ' VALUES '. implode(', ', $placeholders); $insert = $this->start->prepare($query); $i = 1; foreach($data as $item) { foreach ($item as $key => $value) { $insert->bindParam($i++, $item[$key]); } } echo $query; $insert->execute(); $return['status'] = true; $return['lastid'] = $this->start->lastInsertId(); return $return; } else { die('$data is less then two array, use single insert instead.'); } } 

避免并发症的简单方法就是这样的

 $stmt = $pdo->prepare('INSERT INTO foo VALUES(:a, :b, :c)'); foreach($data as $item) { $stmt->bindValue(':a', $item[0]); $stmt->bindValue(':b', $item[1]); $stmt->bindValue(':c', $item[2]); $stmt->execute(); } 

但是,这会多次执行该语句。 所以,如果我们为了做到这一点而创build一个长的单个查询就更好了。

这是我们如何做到这一点的一个例子。

 $query = "INSERT INTO foo (key1, key2) VALUES "; //Prequery $qPart = array_fill(0, count($data), "(?, ?)"); $query .= implode(",",$qPart); $stmt = $dbh -> prepare($query); $i = 1; foreach($data as $item) { //bind the values one by one $stmt->bindValue($i++, $item['key1']); $stmt->bindValue($i++, $item['key2']); } $stmt -> execute(); //execute