Mysql
 sql >> Database >  >> RDS >> Mysql

errore bind_param - Il numero di elementi nella stringa di definizione del tipo non corrisponde al numero di variabili di collegamento

Osservando la tua creazione dinamica dei tuoi segnaposto:

$in = "'" . implode("','", array_fill(0, count($finalArray), '?')) . "'";

Quindi sembra di averli creati con ' citazioni. I segnaposto non hanno bisogno di citazioni.

$in = implode(',', array_fill(0, count($finalArray), '?'));

$query = "UPDATE products SET Status = 'Reserved' WHERE SerialNumber IN ($in)";
$statement = $mysqli->prepare($query);

Quindi, nell'assegnazione dei tipi, non è necessario che vengano citati anche:

$statement->bind_param(str_repeat('s', count($finalArray)), $finalArray);

Nota a margine:tieni presente che dovrai anche chiamare dinamicamente bind_param attraverso call_user_func_array() dal momento che utilizzerai un array. Questa parte ne discute approfondito .

Anche se suggerirei/preferirei di usare ->execute() di PDO :

$pdo = new PDO('mysql:host=localhost;dbname=DATABASE NAME', 'username', 'password');
$pdo->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
$in = implode(',', array_fill(0, count($finalArray), '?'));
$query = "UPDATE products SET Status = 'Reserved' WHERE SerialNumber IN ($in)";
$statement = $pdo->prepare($query);
$statement->execute($finalArray);

Un altro modo per usare Reflection :

$in = implode(',', array_fill(0, count($finalArray), '?'));
$type = str_repeat('s', count($finalArray));
$query = "UPDATE products SET Status = 'Reserved' WHERE SerialNumber IN ($in)";
$statement = $mysqli->prepare($query);

$ref = new ReflectionClass('mysqli_stmt');
$method = $ref->getMethod('bind_param');
array_unshift($finalArray, $type); // prepend the 'sss' inside
$method->invokeArgs($statement, $finalArray);

$statement->execute();