PHP Mysqli consente query multiple con la funzione multi_query() .
Quanto segue è aggiungere alla conversazione in termini generali ed evitare il dolore dovuto all'infinito fuori sincronia errori quando i blocchi di più query vengono eseguiti uno sopra l'altro. O un non multi dopo un multi.
Il problema inizia dopo l'esecuzione di multi_query()
se si procede alla query successiva senza cancellare il set di risultati. L'errore sarebbe quello indicato come Nota1 in basso. Ma è evitato in questa risposta.
Il tuo problema particolare non ha nulla a che fare con \r\n
o \n\r
. Sono stati testati come parte di questo sforzo, ma sono stati lasciati fuori per non confondere la prossima persona che si presentava con il loro problema, diverso.
<?php
//mysqli_report(MYSQLI_REPORT_ERROR | MYSQLI_REPORT_STRICT);
mysqli_report(MYSQLI_REPORT_ALL);
error_reporting(E_ALL); // report all PHP errors
ini_set("display_errors", 1);
echo "start<br/>";
try {
$mysqli= new mysqli('hostname', 'dbuser', 'pwd', 'dbname');
if ($mysqli->connect_error) {
die('Connect Error (' . $mysqli->connect_errno . ') '
. $mysqli->connect_error);
}
echo "I am connected and feel happy.<br/>";
$query = "INSERT INTO `table1`(`thing`) values ('aaa')";
$mysqli->query($query);
// works fine
// Note the concat below
$query = "INSERT INTO `table1`(`thing`) values ('bbb1'); ";
$query .=$query; // double it up with concat (in other words two insert)
// we have a multi query so call it the right way:
$mysqli->multi_query($query);
// we need to clear the protocol to avoid Out of Sync errors
// http://stackoverflow.com/a/21754463
do {
$mysqli->use_result();
}while( $mysqli->more_results() && $mysqli->next_result() );
// if you remark out the above 3 lines,
// expect error message depicted in **** Note1 ****
// purpose of this next block is to show result sets are cleared
// from prior multi, and we can do another insert
// thus avoiding error 500 out of sync errors
$query = "INSERT INTO `table1`(`thing`) values ('ccc')";
$mysqli->query($query); // a single insert statement
// Finally, this shows that running a multi without a multi_query fcn call will bomb
$query = "INSERT INTO `table1`(`thing`) values ('explosion'); \r\n";
$query .=$query; // double it up with concat
$mysqli->query($query); // make a multi query explode by not calling multi_query (but rather query)
// The above line generated an error, error message below (**** Note2 ****)
$mysqli->close();
} catch (mysqli_sql_exception $e) {
throw $e;
}
?>
Risultati del database:
select * from table1;
+----+-------+
| id | thing |
+----+-------+
| 1 | aaa |
| 2 | bbb1 |
| 3 | bbb1 |
| 4 | ccc |
+----+-------+
I seguenti messaggi di errore sono menzionati nel codice sorgente mostrato. Il primo è completamente evitato. Il secondo non lo è, ed è lì per mostrare che la funzione multi_query()
, al contrario di query()
, è obbligatorio.
****** Nota1 ******
****** Nota2 ******