PHP MySQL SELECT 查询
在本教程中,您将学习如何使用 PHP 从 MySQL 表中选择记录。
从数据库表中选择数据
到目前为止,您已经学习了如何创建数据库和表以及插入数据。 现在是时候检索前面教程中插入的数据了。 SQL SELECT
语句用于从数据库表中选择记录。 其基本语法如下:
SELECT column1_name, column2_name, columnN_name FROM table_name;
让我们使用 SELECT
语句进行 SQL 查询,之后我们将通过将其传递给 PHP mysqli_query()
函数来执行此 SQL 查询以检索表数据。
考虑我们的 persons 数据库表有以下记录:
+----+------------+-----------+----------------------+ | id | first_name | last_name | email | +----+------------+-----------+----------------------+ | 1 | Peter | Parker | peterparker@mail.com | | 2 | John | Rambo | johnrambo@mail.com | | 3 | Clark | Kent | clarkkent@mail.com | | 4 | John | Carter | johncarter@mail.com | | 5 | Harry | Potter | harrypotter@mail.com | +----+------------+-----------+----------------------+
以下示例中的 PHP 代码选择存储在 persons 表中的所有数据(使用星号字符 (*
) 代替列名选择表中的所有数据 )。
<?php
/* 尝试 MySQL 服务器连接。 假设您正在运行 MySQL
具有默认设置的服务器(用户 'root' 没有密码) */
$link = mysqli_connect("localhost", "root", "", "demo");
// 检查连接
if($link === false){
die("ERROR: Could not connect. " . mysqli_connect_error());
}
// 尝试选择查询执行
$sql = "SELECT * FROM persons";
if($result = mysqli_query($link, $sql)){
if(mysqli_num_rows($result) > 0){
echo "<table>";
echo "<tr>";
echo "<th>id</th>";
echo "<th>first_name</th>";
echo "<th>last_name</th>";
echo "<th>email</th>";
echo "</tr>";
while($row = mysqli_fetch_array($result)){
echo "<tr>";
echo "<td>" . $row['id'] . "</td>";
echo "<td>" . $row['first_name'] . "</td>";
echo "<td>" . $row['last_name'] . "</td>";
echo "<td>" . $row['email'] . "</td>";
echo "</tr>";
}
echo "</table>";
// Free result set
mysqli_free_result($result);
} else{
echo "No records matching your query were found.";
}
} else{
echo "ERROR: Could not able to execute $sql. " . mysqli_error($link);
}
// 关闭连接
mysqli_close($link);
?>
代码解释(程序风格)
在上面的示例中,mysqli_query()
函数返回的数据存储在 $result
变量中。 每次调用 mysqli_fetch_array()
时,它都会将结果集中的下一行作为数组返回。 while 循环用于循环遍历结果集中的所有行。 最后,可以通过将字段索引或字段名称传递给 $row
变量(如 $row['id']
或 $row[0]
, $row['first_name']
或 $row[1]
, $row['last_name']
或 $row[2]
, 和 $row['email']
或 $row[3]
)从行中访问单个字段的值。
如果要使用 for
循环,可以通过传递 mysqli_num_rows()
函数的 $result
变量。 这个循环计数器值决定了循环应该运行多少次。
Advertisements