0

我正在做一个“测验”。用户会被问到一个问题,并且可以在三个答案之间进行选择。这是我的代码:

// query
$result = mysql_query("SELECT * FROM `db_game` LEFT JOIN `db_game_printers` ON (db_game.printerId = db_game_printers.id) ORDER BY RAND() LIMIT 1") or die(mysql_error());

while($row = mysql_fetch_array($result)) {

// explode answers
$row['printerQuestion'] = trim($row['printerQuestion']);
$question = explode(",", $row['printerQuestion']);

$printerQuestion = $row['title'];
$printerAnswer = $row['printerAnswer'];

// check answer
$answer = $row['printerAnswer'];
    if (isset($_GET['answer'])) {
        $answerUser = $_GET['answer'];
        if ($answerUser == $answer) {
            $correct = true;
        } else {
            $false = true;
        }
    }

它按预期工作。当用户通过单击答案来回答问题时,将显示下一个问题。我还想表明他们是否真的回答正确或不正确!我写了这段代码:

<div id="wrapper">

<div id="question">
<h1><?= $printerQuestion; ?></h1>
</div><!-- /question -->

<ul id="answers">
    <li style="text-align:left;"><a href="index.php?answer=<?=$question[0];?>"><button class="punch"><?=$question[0];?></button></a></li>
    <li style="text-align:center;"><a href="index.php?answer=<?=$question[1];?>"><button class="punch"><?=$question[1];?></button></a></li>
    <li style="text-align:right;"><a href="index.php?answer=<?=$question[2];?>"><button class="punch"><?=$question[2];?></button></a></li>
</ul>
<div class="clear" style="margin-bottom:50px;"></div>


<?php
$prev_printerQuestion = $printerQuestion;
$prev_printerAnswer = $printerAnswer;

} // end while loop
?>

<?php
if (isset($_GET['answer'])) {
    if ($correct) {
        echo "Correct! The ".$prev_printerQuestion." uses the ".$prev_printerAnswer."";
    }
    else if ($false) {
        echo "Not correct. ".$prev_printerQuestion." = ".$prev_printerAnswer."" ;
    }
}
?>

</div><!-- /wrapper -->

检查答案是否正确使用当前数据。不是来自上一个问题。我尝试将这些值放在一个单独的变量中并在 while 循环之外(和内部),但这没有任何区别。

有人知道吗?

4

1 回答 1

2

首先,定义一些函数来表示您要在应用程序中执行的操作。(为了简单起见,我将在这里停止使用函数,而不是谈论 OO 原则)。

了解应用程序功能的这种封装是良好软件设计的第一步。

在您的情况下,您的视图层非常简单:

function displayQuestion($question, $answers) { /* display html for question and possible answers */ }

为了显示问题,您需要从数据库中获取问题及其答案。你可以这样做:

function getQuestion($questionNumber) { /* performs SQL queries and returns some representation of question, answers and correct answer */ }

然后你就有了真正的“商业”(游戏)逻辑本身,即:

function checkAnswer($questionNumber, $answerGiven) { /* returns true or false */ }

你还需要一些函数来控制整个游戏,比如:

function startNewGame() { /* reset internal variables */ }

function getCurrentQuestionNumber() { /* get the question that the user is up to */ }

function displayCurrentScore() { /* display html for current score */ }

最后一部分是将它们连接在一起。(我的意思是讨论中的最后一件事,而不是你做的最后一件事)。这是您将各个部分连接在一起的地方,从 HTTP 请求开始,一直到模型和业务逻辑,然后返回视图层以通过 HTTP 响应向用户显示页面。您可以想象将整个过程封装为一个方法:

function handleRequest() { /* perform the whole request-response cycle, calling the other methods as required */ }

请注意,以上只是对这些功能及其作用的广泛且非常概括的方法,我不知道您的确切要求,因此会缺少部分。这也不是“最佳实践”,但它比将业务逻辑和数据库访问混合到 HTML 代码中更好:-)

于 2013-02-05T13:29:19.367 回答