PHP 指令不同步錯誤:原因與解決方法
使用PHP 和MySQLi 使用準備好的語句從資料庫擷取資料時,您可能會遇到“命令不同步,您現在無法運行命令”錯誤。當嘗試在同一個 PHP 腳本中執行多個準備好的語句時,通常會出現此問題。
發生該錯誤是因為 MySQLi 的 query() 方法與 MYSQLI_USE_RESULT 選項一起使用時,會使後續呼叫處於「陳舊」狀態。要解決此問題,在繼續執行下一條語句之前正確完成第一個語句的結果處理至關重要。
一個解決方案是在檢索每個結果集後呼叫 mysqli_free_result()。此函數從緩衝區中釋放任何待處理的結果,從而允許後續語句成功運行。
另一個有效的方法是使用 mysqli::next_result()。執行每個準備好的語句後,呼叫 next_result() 來推進 MySQLi 中的內部指針,確保下一語句的正確同步。這在使用預存程序或多個結果集時尤其重要。
這是一個示範next_result() 用法的範例:
<?php $mysqli = new mysqli('localhost', 'user', 'password', 'database'); // Prepare and execute first statement $stmt1 = $mysqli->prepare("SELECT * FROM users WHERE username = ?"); $stmt1->bind_param('s', $username); $stmt1->execute(); $stmt1->store_result(); // Free the result set and advance to the next result $stmt1->free_result(); $mysqli->next_result(); // Prepare and execute second statement $stmt2 = $mysqli->prepare("SELECT * FROM orders WHERE user_id = ?"); $stmt2->bind_param('i', $userId); $stmt2->execute(); $stmt2->store_result(); // Bind results and fetch data $stmt2->bind_result($orderId, $productId, $quantity); while ($stmt2->fetch()) { // Do something with the fetched data } $stmt2->free_result(); $mysqli->close(); ?>
透過實作這些策略,您可以避免「指令不同步」錯誤並確保PHP 腳本中多個準備好的語句的順利執行。
以上是如何解決使用 MySQLi 準備語句時 PHP「指令不同步」錯誤?的詳細內容。更多資訊請關注PHP中文網其他相關文章!