0

我正在认真努力地掌握以下内容。我想基于 PHP 数组为每行表构建一个 3 个数据单元格。所以换句话说,如果数组中有 3 个值,则应该有如下结构:

<?php
$arr = array("value1","value2","value3");
?>

// Expected outcome:
<table>
      <tr>
           <td>value1</td>
           <td>value2</td>
           <td>value3</td>               
      </tr>
</table>

但是如果将第四个值添加到数组中,它必须动态创建另一行,换句话说:

<?php
$arr = array("value1","value2","value3","value4");
?>

// Expected outcome:
<table>
      <tr>
           <td>value1</td>
           <td>value2</td>
           <td>value3</td>               
      </tr>
      <tr>
           <td>value4</td>
           <td></td>
           <td></td>               
      </tr>
</table>

我真的不介意哪种解决方案,甚至是 php 和 jQuery 之间的混合,但只是我可以用来实现上述目标的东西。

4

6 回答 6

5

使用模数。像这样:

<table>
<tr>
<?php
    $i = 1;
    foreach ($arr as $val){
        $i++;
        print '<td>'.$i.'</td>';
        if ($i % 3 == 0){
            print '</tr><tr>'^;
        }

    }
?>
</tr>
</table>

您将需要添加更多内容以正确输出 html,但“硬”部分已完成。

不要只是复制和粘贴,我没有测试代码,它很难看。

于 2012-04-24T13:23:42.057 回答
2

使用array_chunk函数将数组分成组,然后只做几个循环,例如

<?php
$arr = array("value1","value2","value3","value4");
echo "<table>";
$rows = array_chunk($arr,3);
foreach($rows as $row) {
  echo "<tr>";
  foreach($row as $cell) {
    echo "<td>".$cell."</td>";
  }
  echo "</tr>";
}
echo "</table>";
?>
于 2012-04-24T13:25:10.010 回答
1

这是一个逻辑实现:

<?php
$input_array = array('a', 'b', 'c', 'd', 'e','f','g');
$new_array = array_chunk($input_array, 3);

$table = '<table border="1">';
foreach($new_array as $value){
$table .= '<tr><td>'.$value[0].'</td><td>'.$value[1].'</td><td>'.$value[2].'</td>    </tr>';
}
$table.='</table>';

echo $table;
?>
于 2012-04-24T13:41:07.660 回答
0
<table><tr>
<?php
$arr = array("value1","value2","value3","value4","value5","value6","value7");

for($i=0;$i<count($arr)%3;$i++)
  $arr[] = null;

foreach($arr as $key => $val){

  if(($key)%3==0)
    echo '</tr><tr>';

  echo '<td>'.$val.'</td>';

}
?>
</tr></table>
于 2012-04-24T13:26:00.497 回答
0
<table>
    <tr>
        <?php
        $x = 0;
        foreach($arr as $v){
            if ($x % 3 == 0 && $x != 0){
                echo '</tr><tr>';
            }

            echo '<td>'.$v.'</td>';
            $x++;
        }
        ?>
    </tr>
</table>
于 2012-04-24T13:26:37.900 回答
0

这是我的建议,它将生成格式化的 html

<table>
    <tr>    
    <?php
    $i = 0;
    $items_per_row = 3;

    foreach ($arr as $elm) {
        echo '<td>'.$elm.'</td>';

        if (++$i % $items_per_row == 0 && $i < count($arr) - 1)
            echo '</tr><tr>';
    }
    ?>
    </tr>
</table>
于 2012-04-24T13:37:34.583 回答