0

$_POST我在调整从我设置的表中传入的值时遇到问题。

这是用于设置表格的代码:

print "<form action=\"updateitem.php\" method=\"post\">\n";
print "<table border cellpadding = 3>\n";
print "<tr>\n";
print "<th>Menu item id</th>\n";
print "<th>Menu item name</th>\n";
print "<th>Menu</th>\n";
print "<th>Menu item price</th>\n";
print "</tr>\n";
while($info = mysql_fetch_array($results)){
    $mi = explode("_",$info['meta_key']);
    if ($mi[2] == "food")
        $mi[2] = "takeout";
    print "<tr>\n";
    print "<td id=\"meta_id\">".$info['meta_id']."<input type=\"hidden\" name=\"meta_id".$i."\" value=\"".$info['meta_id']."\" /></td>\n";
    print "<td>".$info['post_title']."</td>\n";
    print "<td>".$mi[2]."</td>\n";
    print "<td id=\"price\" contenteditable=\"true\">".$info['meta_value']."<input type=\"hidden\" name=\"meta_value".$i."\" value=\"".$info['meta_value']."\" /></td>\n";
    print "</tr>\n";
    $i++;
}
print "</table>\n";     
print "<input type=\"Submit\" value=\"Update\" />\n";
print "</form>\n";

我想要做的是,当有人更改价格单元格时,我希望将更新后的价格传递$_POST给 PHP。那可能吗?

4

1 回答 1

0

contenteditable属性不会在这里为您提供帮助。您必须使用 javascript 来注意何时更改并对其进行处理。

简单的答案是,您需要使该<input>字段对用户可用。因此,更改type="hidden"type="text"或添加另一个未隐藏的字段供用户交互,然后该值将传递回您的脚本中$_POST

建议的更改

print "<form action=\"updateitem.php\" method=\"post\">\n";
print "<table border cellpadding = 3>\n";
print "<tr>\n";
print "<th>Menu item id</th>\n";
print "<th>Menu item name</th>\n";
print "<th>Menu</th>\n";
print "<th>Menu item price</th>\n";
print "</tr>\n";
while($info = mysql_fetch_array($results)){
    $mi = explode("_",$info['meta_key']);
    if ($mi[2] == "food")
        $mi[2] = "takeout";
    print "<tr>\n";
    print '<td id="meta_id">' . $info['meta_id'] . '<input type="hidden" name="meta_id[]" value="' . $info['meta_id'] . '" /></td>';
    print '<td>'.$info['post_title'].'</td>';
    print '<td>'.$mi[2].'</td>';
    print '<td id="price">';
        print '<input type="hidden" name="original_price[]" value="' . $info['meta_value'] . '" />';
        print '<input type="text" name="price[]" value="' . $info['meta_value'] . '" />';
    print '</td>';
    print "</tr>\n";
    $i++;
}
print "</table>\n";     
print "<input type=\"Submit\" value=\"Update\" />\n";
print "</form>\n";

我冒昧地更改了名称 ( name="name[]") 以使用数组而不是 ( name="name" . $i)

这会将字段作为 $_POST 数组中的数组返回所以$_POST[price] will itself be an array像这样:

$_POST['price][0]
$_POST['price][1]   // and so on

因此,您可以将更改后的价格处理为

foreach ( $_POST['price'] as $i => $price ) {
    if ( $price != $_POST['original_price'][$i]) {
        // We have a price change lets update the database
        // using $_POST['meta_id'][$i] as the key to the database table ? I assume ??
    }

}
于 2013-07-26T09:41:30.470 回答