PHP:索引嵌套的for循环时遇到麻烦

时间:2015-02-03 01:05:22

标签: php for-loop indexing

我正在尝试将三维数组打印到表格中。但索引有点蠢蠢欲动。当我使用以下(伪)代码时:

...
<<print headers and stuff>>

for ( $i = 0; $i < count( $array ); i++) {
    $itemArray = $array[i];

    for ( $j = 0; $j < count( $itemArray; j++) {
        $innerItem = $itemArray[j];
        echo <<tr start + both indexes in td>>

        foreach ($innerItem as $spec) {
            echo <<td with item>>
        }

        echo <<tr stop>>
    }
}

在这个例子中,我使用 i 作为外部数组的索引,使用 j 作为内部数组的索引(非常明显)。 我从中得到的结果如下:

| index i | index j | title1 | title2 |
|    0    |    0    |        |        |
|    1    |    0    |        |        |
|    2    |    0    |        |        |
|   ...   |   ...   |        |        |

虽然我希望:

| index i | index j | title1 | title2 |
|    0    |    0    |        |        |
|    0    |    1    |        |        |
|    1    |    0    |        |        |
|    1    |    1    |        |        |
|    1    |    2    |        |        |
|    2    |    0    |        |        |
|   ...   |   ...   |        |        |

(原始)完整代码是:

echo "<h1>Combat analysis</h1>";
echo '<table cellspacing="0" cellpadding="4" border="1"><tbody>';
echo "<tr><td>#Mon</td><td>#Att</td><td>DungLVL</td><td>CharLVL</td><td>Health</td><td>Weapon</td><td>No. potions</td></tr>";
for ($battleIndex  = 0; $battleIndex < count($this->combatLog); $battleIndex++) {
    $battle = $this->combatLog[$battleIndex];
    for ($attackIndex = 0; $attackIndex < sizeof($battle); $attackIndex++) {
        $attack = $battle[$attackIndex];
        echo "<tr><td>" . $battleIndex . "</td><td>" . $attackIndex . "</td>";
        foreach ($attack as $stat) {
            echo "<td>" . $stat . "</td>";
        }
        echo "</tr>";
    }
}
echo "</tbody></table>";

出了什么问题?

1 个答案:

答案 0 :(得分:1)

测试您的代码并按预期运行。您应该执行echo '<pre>'.print_r($this->combatLog).'</pre>';并调试数组内容。

我还建议您使用以下内容:

1)您可以使用foreach而不是例如:foreach ($this->combatLog as $battleIndex => $battle)

2)如果您不确定数组是否包含值,您应首先执行以下操作:if (is_array($this->combatLog) && count($this->combatLog) > 0)

3)为了简化和代码维护,我首先将多维数组循环并将其转换为一个名为$ attack的维度,每个攻击包含一个数组,每个攻击都由您可以识别的键索引,ej:

$attacks=array();
$attacks[]=array(
'Mon'=>$battleIndex,
'Att'=>$attackIndex,
'DungLVL'=>isset($stat[0])?$stat[0]:null,
'CharLVL'=>isset($stat[1])?$stat[1]:null,
'Health'=>isset($stat[2])?$stat[2]:null,
'Weapon'=>isset($stat[3])?$stat[3]:null,
'Potions'=>isset($stat[4])?$stat[4]:null,
);

然后你可以定义一些列,例如:

$columns=array(
    'Mon',
    'Att',
    'DungLVL',
    'CharLVL',
    'Health',
    'Weapon',
    'Potions',
);

然后像这样打印表格标题:

echo '<tr>';
foreach ($columns as $column) {
  echo '<td>'.$column.'</td>';
}
echo '</tr>';

打印这样的行:

foreach ($attacks as $attack) {
  echo '<tr>';
  foreach ($columns as $column) {
    echo '<td>'.$attack[$column].'</td>';
  }
  echo '</tr>';
}