我可能没有措辞这项权利,但基本上这是我想做的事情:


在HTML表格中显示页首横幅
排行榜中的每个标题都是一个链接(例如得分,时间,击杀次数)
单击每个链接时,它将根据单击的链接对表格进行排序(例如,如果单击了kills,则会对数据进行排序,在顶部显示移动杀死的数据)


Here是指向我当前排行榜的链接,可以正常工作。

这是我到目前为止要做的代码:

<div id="board">
    <table border="1" cellspacing="0" cellpadding="2" width="620"><tbody>
        <thead>
            <tr>
                <td>Name</td>
                <td>Score</td>             <---- WHEN CLICK = SORT IT BY SCORE
                <td>Wave Reached</td>      <---- WHEN CLICK = SORT IT BY WAVE
                <td>Seconds Survived</td>  <---- WHEN CLICK = SORT IT BY SECONDS
                <td>Kills</td>             <---- WHEN CLICK = SORT IT BY KILLS
                <td>Deaths</td>            <---- WHEN CLICK = SORT IT BY DEATHS
            </tr>
        </thead>
        <tbody>
            <?php

                $connect = mysql_connect("localhost","localhost", "password");
                if (!$connect) {
                    die(mysql_error());
                }
                mysql_select_db("staroids");
                $results = mysql_query("SELECT name, score, wave, seconds, kills, deaths FROM scores ORDER BY score DESC LIMIT 10");
                while($row = mysql_fetch_array($results)) {
                $name = $row['name'];
                $score = $row['score'];
                $wave = $row['wave'];
                $seconds = $row['seconds'];
                $kills = $row['kills'];
                $deaths = $row['deaths'];
            ?>
                <tr>
                    <td><?php echo $name;?></td>
                    <td><?php echo $score;?></td>
                    <td><?php echo $wave;?></td>
                    <td><?php echo $seconds;?></td>
                    <td><?php echo $kills;?></td>
                    <td><?php echo $deaths;?></td>
                </tr>
            <?php
                }
                mysql_close($connect);
            ?>
        </tbody>
    </table>
</div>


我希望这可以解释我打算做什么。

上面的代码以降序显示分数。当像HTML一样按下HTML链接以运行特定查询时,是否可以运行PHP脚本?

最佳答案

在表标题中,您可以使用每个链接的不同参数链接到当前页面:

<tr>
    <td><a href="currentpage.php?sort=name">Name</a></td>
    <td><a href="currentpage.php?sort=score">Score</a></td>
    ...
</tr>


然后在php中,根据$_GET["sort"]参数的值设置要排序的列。
$sort的值是实际的数据库列标题。

if (isset($_GET["sort"])) {
    if ($_GET["sort"] == "name")
        $sort = "name";
    else if ($_GET["sort"] == "score")
        $sort = "score";
    else
        $sort = "score"; //default value
}
else
    $sort = "score"; //default value

$results = mysql_query("SELECT name, score, wave, seconds, kills, deaths FROM scores ORDER BY ".$sort." DESC LIMIT 10");


它不是最干净的代码,但可以说明问题。
祝你好运。

关于php - 在SQL中对排行榜进行排序并使用PHP在表中更新排行榜的最有效方法,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18146857/

10-12 06:00