3

为了保持尽可能少的 SQL 语句,我想从 MySQL 中进行选择集:

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

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

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

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

我想像(伪PHP)

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

然后在输出它时,执行 foreach 循环:

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

这是最好的,还是像魔法一样的mysql_use_groupby东西?

4

3 回答 3

4

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

$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
  }

}
于 2010-02-26T21:44:55.303 回答
2

不,我认为您的解决方案是解决此问题的最佳方法。看来对你来说重要的是稍后的输出,所以你应该坚持你的方法。

于 2010-02-26T18:21:42.530 回答
0

您想获取类别列表还是实际将所有产品分组到类别中?

如果是后者,最好这样做:

SELECT 
p.product_id, 
p.name, 
p.category_id, 
c.name AS category 
FROM products p 
JOIN categories c ON (c.category_id = p.category_id AND p.category_id IN (x,y,z))

然后在 PHP 中你可以遍历数组(伪代码):

    $cats = array();

    foreach($products as $product) { 
        if(!in_array($product['category'], $cats)) {
            $cats[$product['category_id']] = $product['category'];
        }
        $cats[$product['category_id']][$product['product_id']] = $product['name'];
    }

这将使您将 $cats 作为一个数组,其中包含排序的产品。

于 2010-02-26T21:50:00.447 回答