基本上我想添加最后一段验证,如果在项目页面上没有选择任何内容,则会出现错误或用户返回到另一页面。
当选择提交时,表单操作会将其发送到确认页面并执行以下操作,如果输入了1个或多个项目,则显示所选项目($ partno == $ varname& $ qty> 0)但我不知道在else部分放什么来返回错误或让用户回到上一页。
<?php
$visitor = $_POST['visitor'];
echo "<p>" . 'Hello ' . "<b>" . $visitor . "</b> " . 'please confirm your purchase(s) below.' . "</p>";
if (!($data = file('items.txt'))) {
echo 'ERROR: Failed to open file! </body></html>';
exit;
}
$total = 0;
foreach ($_POST as $varname => $varvalue) {
$qty = $varvalue;
foreach ($data as $thedata) {
list($partno, $name, $description, $price, $image) = explode('|', $thedata);
if ($partno == $varname & $qty > 0) {
echo "<tr><td><img src='$image' width='50' height='50' alt='image'</td>
<td>$partno<input type='hidden' name='$partno' value=$partno></td><td>$name</td><td>£$price</td>
<td> $qty</td><td><input type='hidden' name='visitor' value=$visitor></td>
<td><input type='hidden' name='qty' value=$qty></td></tr>";
$total = $total + $price * $qty;
} else {
}
}
}
?>
答案 0 :(得分:0)
你会有这样的事情:
$errors = array();
foreach(...) {
if ($partno == $varname & $qty > 0) {
... code for "ok" stuff
} else {
$errors[] = "$partno is incorrect";
}
}
if (count($errors) > 0) {
die("Errors: " . implode($errors));
}
... proceed to "success" code ...
基本上,对于每个失败的测试,您都会录制一条消息。一旦循环退出,如果有任何错误消息,则显示它们并中止处理。如果没有错误,请继续使用其余代码。
答案 1 :(得分:0)
为什么不使用try catch块?
try {
if (isset($_POST)) {
if (!$email) {
throw new Exception('email is not valid', 100);
}
// everything is good process the request
}
throw new Exception('Error!', 200);
} catch (Exception $e) {
if ($e->getCode == 200) {
// redirect
} else {
// do something else
}
}
答案 2 :(得分:0)
在你的If语句中抛出一个Exception,然后把你的数据放在try / catch块中,这样如果发生错误就会捕获异常
答案 3 :(得分:0)
考虑以下方法:表单和表单数据的PHP代码都在同一页面上。如果表单已发布,您将首先检查表单是否正常,之后您将对提交的数据执行某些操作。如果表单无效,则显示错误消息。
优点是:代码中间没有die(),没有奇怪的重定向,一个脚本中的所有东西。
// simplified code in example.php
<?php
// in this variable we'll save success/error messages to print it
$msg = "";
// run this php code if the form was submitted
if(isset($_POST['submit'])) {
// is the form valid?
if (strlen($_POST['username']) == 0) {
$msg = "Please enter a username";
}
else {
// all validation tests are passed, give the user a nice feedback
// do something with the data, e.g. save it to the db
$msg = "Your data was saved. Have a great day";
}
}
?>
<div class="msg"><?php print $msg; ?></div>
<form method="post">
<input type="text" name="username">
<input type="submit" name="submit" value="Submit">
</form>