如何在表单提交时保留已设置的 GET 参数值?
我有一个 URL:foo.php?name=adam&lName=scott
,在 foo.php
中我有一个表单,它给了我 矩形长度
&rectangleBreadth
带有提交按钮.
I have a URL : foo.php?name=adam&lName=scott
, and in foo.php
I have a form which gives me values of rectangleLength
& rectangleBreadth
with a submit button.
当我点击表单操作为 $_SERVER['REQUEST_URI']
的提交按钮时,我得到这个结果 URL:foo.php?rectangleLength=10&rectangleBreadth=5
代码>(这些值已由用户填写).
When I click this submit button with form action as $_SERVER['REQUEST_URI']
, I get this result URL: foo.php?rectangleLength=10&rectangleBreadth=5
(these values have been filled in by the user).
请注意,我丢失了以前的值 name
&lName
来自 URL.
Notice that I am losing my previous values name
& lName
from the URL.
我怎样才能保留它们?
另外,请记住,我必须回到 foo.php
,如果用户想再次提交表单,那么长度和宽度值应该改变.
Also, keep in mind that I have to come back to foo.php
and if the user wants to submit the form again then the length and breadth values should change.
推荐答案
您可以在第一个目标站点的表单中添加两个隐藏字段,在您的情况下为 blabla.php:
You can add two hidden fields in the form on the first target site, blabla.php in your case:
<form ...>
<input type="hidden" name="name" value="<?php echo htmlspecialchars($_GET['name']);?>">
<input type="hidden" name="lName" value="<?php echo htmlspecialchars($_GET['lName']);?>">
<!-- rest of the form here -->
</form>
对于动态解决方案,请使用 foreach 循环:
For a dynamic solution, use a foreach loop:
<?php
foreach($_GET as $name => $value) {
$name = htmlspecialchars($name);
$value = htmlspecialchars($value);
echo '<input type="hidden" name="'. $name .'" value="'. $value .'">';
}
?>
您可以考虑将动态方法锁定到已知可能键的列表:
You may consider locking the dynamic approach down to a list of known possible keys:
<?php
$keys = array('name', 'lName', ...);
foreach($keys as $name) {
if(!isset($_GET[$name])) {
continue;
}
$value = htmlspecialchars($_GET[$name]);
$name = htmlspecialchars($name);
echo '<input type="hidden" name="'. $name .'" value="'. $value .'">';
}
?>
相关文章