在bind_result和get_result之间进行选择
使用准备好的语句进行数据库查询时,选择适当的方法来处理结果可能会显着影响代码的效率和灵活性。本文探讨了 bind_result 和 get_result 这两种常用的检索结果数据的方法之间的差异。
bind_result
当需要精确控制变量赋值时,bind_result 是理想的选择。通过显式指定要绑定到每一列的变量,可以确保变量的顺序与返回行的结构严格匹配。当提前知道返回行的结构并且可以相应地定制代码时,这种方法是有利的。
$query1 = 'SELECT id, first_name, last_name, username FROM `table` WHERE id = ?'; $id = 5; $stmt = $mysqli->prepare($query1); /* Binds variables to prepared statement i corresponding variable has type integer d corresponding variable has type double s corresponding variable has type string b corresponding variable is a blob and will be sent in packets */ $stmt->bind_param('i',$id); /* execute query */ $stmt->execute(); /* Store the result (to get properties) */ $stmt->store_result(); /* Get the number of rows */ $num_of_rows = $stmt->num_rows; /* Bind the result to variables */ $stmt->bind_result($id, $first_name, $last_name, $username); while ($stmt->fetch()) { echo 'ID: '.$id.'<br>'; echo 'First Name: '.$first_name.'<br>'; echo 'Last Name: '.$last_name.'<br>'; echo 'Username: '.$username.'<br><br>'; }
bind_result 的优点:
bind_result 的缺点:
get_result
get_result 为数据检索提供了更通用的解决方案。它会自动创建一个包含返回行数据的关联/枚举数组或对象。在处理动态结果结构或访问数据的灵活性至关重要时,此方法很方便。
$query2 = 'SELECT * FROM `table` WHERE id = ?'; $id = 5; $stmt = $mysqli->prepare($query2); /* Binds variables to prepared statement i corresponding variable has type integer d corresponding variable has type double s corresponding variable has type string b corresponding variable is a blob and will be sent in packets */ $stmt->bind_param('i',$id); /* execute query */ $stmt->execute(); /* Get the result */ $result = $stmt->get_result(); /* Get the number of rows */ $num_of_rows = $result->num_rows; while ($row = $result->fetch_assoc()) { echo 'ID: '.$row['id'].'<br>'; echo 'First Name: '.$row['first_name'].'<br>'; echo 'Last Name: '.$row['last_name'].'<br>'; echo 'Username: '.$row['username'].'<br><br>'; }
get_result 的优点:
get_result 的缺点:
结论
之间的选择bind_result 和 get_result 取决于应用程序的具体要求。 bind_result 提供了对结果数据的精度和控制,但对于动态数据结构来说可能很麻烦。 get_result 提供灵活性和便利性,但较旧的 PHP 版本可能不支持。了解每种方法的优点和局限性可以让开发人员在处理查询结果时做出明智的决策。
以上是`bind_result` 与 `get_result`:我应该使用哪种 MySQLi 方法来检索查询结果?的详细内容。更多信息请关注PHP中文网其他相关文章!