5

我正在使用下面的代码来显示网站表单数据库的图像和名称。

<fieldset>  
    <h1>A</h1>          
    <ul>
        <?php foreach ($records as $key) { ?>
        <li class="siteli"> <a href="#" class="add">        
            <div id="site-icon"><img src="<?php echo $key->site_img; ?>" width="16" height=""></div>
            <p id="text-site"> <?php echo $key->site_name; ?></p>
        </li>
        <?php } ?>
    </ul>
</fieldset>

现在我试图通过添加 A、B、C 等作为标题按字母顺序对结果进行分组。

例子,

A    
Amazon     
Aol    
Aol Mail

B    
Bing     
Bogger
4

3 回答 3

8

您可以使用数组排序对数组进行排序。在你的情况下,我会选择sort()

现在要显示带有前面字母的链接,我将使用:

<?php
$records = ['Aaaaa', 'Aaaa2', 'bbb', 'bbb2', 'Dddd'];
$lastChar = '';
sort($records, SORT_STRING | SORT_FLAG_CASE); //the flags are needed. Without the `Ddd` will come before `bbb`.
//Available from version 5.4. If you have an earlier version (4+) you can try natcasesort()

foreach($records as $val) {
  $char = $val[0]; //first char

  if ($char !== $lastChar) {
    if ($lastChar !== '')
      echo '<br>';

    echo strtoupper($char).'<br>'; //print A / B / C etc
    $lastChar = $char;
  }

 echo $val.'<br>';
}
?>

这将输出类似

A
Aaaa2
Aaaaa

B
bbb
bbb2

D
Dddd

请注意,缺少 C,因为没有以 C 开头的单词。

于 2013-01-08T07:59:27.783 回答
3

这是对@Hugo Delsing 答案的修改。

我需要能够像这样将我的品牌组合在一起,但代码中的一个错误是,如果我说 iForce Nutrition 和 Inner Armor,由于字母大小写,它会将它们分成两个不同的组。

我所做的更改
因为它是完全按字母顺序排列的,所以它只按第一个字母我将 SORT_STRING 更改为 SORT_NATURAL

更改: if ($char !== $lastChar) 为 if (strtolower($char) !== strtolower($lastChar))

<?php
$records = ['FinaFlex', 'iForce Nutrition', 'Inner Armour', 'Dymatize', 'Ultimate    Nutrition'];
$lastChar = '';
sort($records, SORT_NATURAL | SORT_FLAG_CASE); //Allows for a full comparison and will alphabetize correctly.

foreach($records as $val) {
 $char = $val[0]; //first char

  if (strtolower($char) !== strtolower($lastChar)) {
    if ($lastChar !== '')
     echo '<br>';

     echo strtoupper($char).'<br>'; //print A / B / C etc
     $lastChar = $char;
    }

    echo $val.'<br>';
  }
?>

最终的输出将是这样的

D
Dymatize

F
FinaFlex

I
iForce Nutrition
Inner Armour

U
Ultimate Nutrition

我希望这对每个人都有帮助,非常感谢 Hugo 提供的代码让我准确地到达了我需要的地方。

你可以在这里看到我的例子https://hyperionsupps.com/brand-index

于 2013-09-16T19:02:38.953 回答
0
$records = ['FinaFlex', 'iForce Nutrition', 'Inner Armour', 'Dymatize', 'Ultimate    Nutrition'];

    $temp=array();    
    $first_char="";
    for($i=0;$i<count($records);$i++)
    {
        $first_char= strtoupper ($records[$i][0]);             
             if(!in_array($first_char, $temp))
             {
                 echo strtoupper($first_char).'<br>'; //print A / B / C etc                      

             }
             $temp[]=  $first_char;
            echo $records[$i]."<br>";
    }
于 2015-08-05T12:29:20.100 回答