我需要帮助形成基于数组循环的HTML div。
我的数组如下所示
$myarray = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18];
PHP文件看起来像
<?php
foreach ($myarray as $arr) {
//I dont know how to add condition here
echo "<div class='custom_style'>" . $arr ."</div>";
}
让我解释清楚。最初,我想要第一个2数组键将是大尺寸然后接下来4将是一个小尺寸。再次下一个2将是大的,接下来的4将是小的..所以..我想以这种方式循环,直到我的数组结束。
请忽略CSS part.i将自行编写
答案 0 :(得分:1)
我为您的动态框编写逻辑,现在您需要创建您的CSS。
<html>
<style>
#cust_1
{
border: 1px solid red;
min-width:90px;
min-height:90px;
display: inline-block;
}
#cust_2
{
border: 1px solid red;
min-width:40px;
min-height:40px;
display: inline-block;
}
</style>
<?php
$myarray = array(1, 2, 3, 4, 5, 6, 7, 8, 9,10,11,12);
$i = 1;
foreach ($myarray as $arr)
{
if($i <= 2){
echo "<div id=cust_1>". $arr . "</div>";
$i++;
}
else if($i==6){
$i=1;
echo "<div id=cust_2>". $arr . "</div>";
}else{
echo "<div id=cust_2>". $arr . "</div>";
$i++;
}
}
?>
答案 1 :(得分:1)
%
),则可以避免多个条件。它将第一个数字除以第二个数字并输出余数。0
开始,因此您希望显示为大块的索引将包括:0
,1
,6
,7
,12
和13
。将$i%6
应用于这些密钥后,输出将为0
或1
。<div>
行。 DRY编程实践规定您只修改类值的结尾。为实现这一目标,我选择了内联条件。这是您完成所需输出的最佳/最简单方法。
代码:(Demo)
$myarray = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18];
foreach ($myarray as $i=>$v){
echo "<div class=\"cust",($i%6<2?1:2),"\">$v</div>\n";
}
输出:
<div class="cust1">1</div>
<div class="cust1">2</div>
<div class="cust2">3</div>
<div class="cust2">4</div>
<div class="cust2">5</div>
<div class="cust2">6</div>
<div class="cust1">7</div>
<div class="cust1">8</div>
<div class="cust2">9</div>
<div class="cust2">10</div>
<div class="cust2">11</div>
<div class="cust2">12</div>
<div class="cust1">13</div>
<div class="cust1">14</div>
<div class="cust2">15</div>
<div class="cust2">16</div>
<div class="cust2">17</div>
<div class="cust2">18</div>
或者,如果您不担心所有浏览器的使用,您可以使用nth-child()
和implode()
的纯css解决方案。
<style>
div:nth-child(6n+1),div:nth-child(6n+2) {
background: red;
}
</style>
<?php
$myarray = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18];
echo '<div>',implode('</div><div>',$myarray),'</div>'; // glue each value with a closing and opening div tag
?>