user225269
user225269

Reputation: 10893

how to add multiple records in mysql using php

how to add multiple records in mysql using php. Is using array the only solution to this problem. Because I tried using array but the record that would be added in the database would look like this: array

Upvotes: 1

Views: 961

Answers (2)

Pekka
Pekka

Reputation: 449823

You need to go through each member of the array:

foreach($array as $record)
 {   ...  }

and perform an INSERT query for each member or - better for performance - insert all records in one statement as outlined in user187291's answer.

Upvotes: 3

user187291
user187291

Reputation: 53960

You can use a multivalue insert statement (INSERT... VALUES (record1), (record2) etc) (see http://dev.mysql.com/doc/refman/5.1/en/insert.html)

This is how you can construct such a statement from array of records

$values = array();
foreach($records_array as $record)
    $values[] = sprintf("( '%s' , '%s' )", addslashes($record['name']), addslashes($record['email']));
$sql = "INSERT INTO users(name, email) VALUES " . implode(",", $values);
mysql_query($sql);

Upvotes: 4

Related Questions