我正在努力抓住以下几点。我想基于PHP数组为每行表构建一个3数据单元。换句话说,如果数组中有3个值,则应该有如下结构:
<?php
$arr = array("value1","value2","value3");
?>
// Expected outcome:
<table>
<tr>
<td>value1</td>
<td>value2</td>
<td>value3</td>
</tr>
</table>
但是如果要将第4个值添加到数组中,它必须动态创建另一行,换句话说:
<?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之间的混合,但我只能用它来实现上述目标。
答案 0 :(得分: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输出添加更多内容,但“硬”部分已完成。
不要只是复制和粘贴,我没有测试代码,而且很难看。
答案 1 :(得分: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>";
?>
答案 2 :(得分: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;
?>
答案 3 :(得分: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>
答案 4 :(得分: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>
答案 5 :(得分: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>