PHP/MySQL 按列分组结果

2021-12-27 00:00:00 group-by php mysql logical-grouping

为了尽可能少的保留SQL语句,我想从MySQL做select set:

in order to keep as few SQL statements as possible, I want to do select set from MySQL:

SELECT * FROM products WHERE category IN (10,120,150,500) ORDER BY category,id;

现在,我有以下方式的产品列表:

Now, I have list of products in following manner:

CATEGORY
 - product 1
 - product 2
CATEGORY 2
 - product 37
...

处理 MySQL 结果的最佳和最有效的方法是什么?

What's the best and most efficent way to process MySQL result?

我认为类似(伪 PHP)

I thought something like (pseudo PHP)

foreach ($product = fetch__assoc($result)){
  $products[$category][] = $product;
}

然后在输出时,做foreach循环:

and then when outputting it, do foreach loop:

foreach($categories as $category){
  foreach($products[$category] as $product){
    $output;
  }
}

这是最好的,还是像mysql_use_groupby之类的神奇东西?

Is this the best, or is something magical like mysql_use_groupby or something?

推荐答案

就像 mluebke 评论的那样,使用 GROUP 意味着您只能获得每个类别的一个结果.根据您提供的列表作为示例,我认为您想要这样的东西:

Like mluebke commented, using GROUP means that you only get one result for each category. Based on the list you gave as an example, I think you want something like this:

$sql = "SELECT * FROM products WHERE category IN (10,120,150,500) GROUP BY category ORDER BY category, id";
$res = mysql_query($sql);

$list = array();
while ($r = mysql_fetch_object($res)) {
  $list[$r->category][$r->id]['name'] = $r->name;
  $list[$r->category][$r->id]['whatever'] = $r->whatever;
  // etc
}

然后遍历数组.示例:

foreach ($list as $category => $products) {
  echo '<h1>' . $category . '</h1>';

  foreach ($products as $productId => $productInfo) {
    echo 'Product ' . $productId . ': ' . $productInfo['name'];
    // etc
  }

}

相关文章