4

我有以下代码:

<tr>
    <td width="60%">
        <dl>
            <dt>Full Name</dt>
            <dd>
                <input name="fullname[]" type="text" class="txt w90" id="fullname[]" value="<?php echo $value; ?>" />
            </dd>
        </dl>
    </td>
    <td width="30%">
        <dl>
            <dt>Job Title</dt>
            <dd>
                <input name="job_title[]" type="text" class="txt w90" id="job_title[]" value="<?php echo $value2; ?>" />
            </dd>
        </dl>
    </td>
</tr>

假设我有几行上述代码。如何迭代并获取数组$_POST['fullname']和的值$_POST['job_title']

4

5 回答 5

10

它只是一个数组:

foreach ($_POST['fullname'] as $name) {
    echo $name."\n";
}

如果问题是您想并行迭代两个数组,只需使用其中一个来获取索引:

for ($i=0; $i < count($_POST['fullname']); $i++) {
    echo $_POST['fullname'][$i]."\n";
    echo $_POST['job_title'][$i]."\n";
}
于 2008-12-20T08:42:28.643 回答
3

我早些时候删除了这个,因为它非常接近 Vinko 的答案。

for ($i = 0, $t = count($_POST['fullname']); $i < $t; $i++) {
    $fullname = $_POST['fullname'][$i];
    $job_title = $_POST['job_title'][$i];
    echo "$fullname $job_title \n";
}

原始索引不是从 0 - N-1 的数字

$range = array_keys($_POST['fullname']);
foreach ($range as $key) {
    $fullname = $_POST['fullname'][$key];
    $job_title = $_POST['job_title'][$key];
    echo "$fullname $job_title \n";
}

这只是一般信息。使用 SPL DualIterator,您可以进行以下操作:

$dualIt = new DualIterator(new ArrayIterator($_POST['fullname']), new ArrayIterator($_POST['job_title']));

while($dualIt->valid()) {
    list($fullname, $job_title) = $dualIt->current();
    echo "$fullname $job_title \n";
    $dualIt->next();
}
于 2008-12-20T09:26:43.390 回答
1

我认为您要解决的问题是从具有相同索引的 $_POST['fullname'][] 和 $_POST['jobtitle'][] 中获取一对值。

for ($i = 0, $rowcount = count($_POST['fullname']); $i < $rowcount; $i++)
{
    $name = $_POST['fullname'][$i]; // get name
    $job  = $_POST['jobtitle'][$i]; // get jobtitle
}
于 2008-12-20T09:35:49.427 回答
1

如果我理解正确,您有 2 个数组,您基本上希望并行迭代。

像下面这样的东西可能对你有用。而不是$a1,$a2你会使用$_POST['fullname']and $_POST['jobtitle']

<?php
$a1=array('a','b','c','d','e','f');
$a2=array('1','2','3','4','5','6');

// reset array pointers    
reset($a1); reset($a2);
while (TRUE)
{
  // get current item
  $item1=current($a1);
  $item2=current($a2);
  // break if we have reached the end of both arrays
  if ($item1===FALSE and $item2===FALSE) break;  
  print $item1.' '. $item2.PHP_EOL;
  // move to the next items
  next($a1); next($a2);
}
于 2008-12-20T09:47:24.723 回答
0

Vinko 和 OIS 的答案都非常好(我提高了 OIS')。但是,如果您总是打印 5 个文本字段副本,您总是可以专门为每个字段命名:

<?php $i=0; while($i < 5) { ?><tr>
    ...
    <input name="fullname[<?php echo $i; ?>]" type="text" class="txt w90" id="fullname[<?php echo $i; ?>]" value="<?php echo $value; ?>" />
于 2008-12-20T09:33:24.143 回答