2

我在 xampp 中创建了一个数据库,制作了一个非常简单的 php 脚本,可以访问/连接到 xampp 中的 mysql(将其保存到 xampp/htdocs)。连接没问题,但是当我在浏览器上运行它时,只出现了我在php中创建的一个表,而mysql中的数据没有。可能是什么问题呢?

这是php代码:

<?php

// Make a MySQL Connection

mysql_connect("localhost", "root", "password") or die(mysql_error());

mysql_select_db("test") or die(mysql_error());

// Get all the data from the "example" table
$result = mysql_query("SELECT * FROM example") 
or die(mysql_error()); 

echo "<table border='1'>";
echo "<tr> <th>Name</th> <th>Age</th> </tr>";
// keeps getting the next row until there are no more to get
while($row = mysql_fetch_array( $result )) {
// Print out the contents of each row into a table
echo "<tr><td>"; 
echo $row['name'];
echo "</td><td>"; 
echo $row['age'];
echo "</td></tr>"; 
} 

echo "</table>";
?>
4

1 回答 1

2

如果您刚开始使用 PHP 和 MySQL,为什么不开始学习 PDO,因为mysql_*函数已被弃用。

确保example表格中有数据,与 PHPMyAdmin 核对并遵循这个不错的指南

您的代码应该是:

<?php
    $db = new PDO('mysql:host=localhost;dbname=test;charset=UTF-8', 'username', 'password', array(PDO::ATTR_EMULATE_PREPARES => false, PDO::ATTR_ERRMODE => PDO::ERRMODE_EXCEPTION));

    echo "<table border='1'>";
    echo "<tr> <th>Name</th> <th>Age</th> </tr>";

    $stmt = $db->query("SELECT * FROM example");
    while($row = $stmt->fetch(PDO::FETCH_ASSOC)) {
        echo "<tr><td>"; 
        echo $row['name'];
        echo "</td><td>"; 
        echo $row['age'];
        echo "</td></tr>"; 
    }

    echo "</table>";
?>
于 2012-10-01T07:25:12.133 回答