1

我有一个包含很多列的产品列表,但对我的问题最重要的 3 个是这些(带有一些随机数据):

|--------------------------------------|
| title     | category_id | date       |
| ----------|-------------|------------|
|  Product1 |           1 | 2012-04-18 |
|  Product2 |           1 | 0000-00-00 |
|  Product3 |          17 | 0000-00-00 |
|  Product4 |          17 | 2012-04-10 |
|  Product5 |          17 | 2012-04-20 |
|  Product6 |           1 | 0000-00-00 |
|  Product7 |           2 | 2012-04-20 |
|  Product8 |           2 | 0000-00-00 |
|  Product9 |          17 | 2012-04-16 |
| Product10 |          22 | 2011-11-26 |
| Product11 |          22 | 2011-12-25 |
| Product12 |          30 | 2012-04-01 |
| Product13 |           2 | 2011-12-31 |
| Product14 |          30 | 2010-05-06 |
|--------------------------------------|

相同的产品category_id应该一个接一个地列出(此时甚至可以通过“ORDER BY category_id”来解决),但我也必须注意该date列:category_id类别中的和产品必须是按date降序排序(category_id最新产品在顶部等等),所以理想情况下结果集应该是这样的(在类别“组”之间添加换行符只是为了更透明):

|--------------------------------------|
| title     | category_id | date       |
| ----------|-------------|------------|
|  Product5 |          17 | 2012-04-20 |
|  Product9 |          17 | 2012-04-16 |
|  Product4 |          17 | 2012-04-10 |
|  Product3 |          17 | 0000-00-00 |

|  Product7 |           2 | 2012-04-20 |
| Product13 |           2 | 2011-12-31 |
|  Product8 |           2 | 0000-00-00 |

|  Product1 |           1 | 2012-04-18 |
|  Product2 |           1 | 0000-00-00 |
|  Product6 |           1 | 0000-00-00 |

| Product12 |          30 | 2012-04-01 |
| Product14 |          30 | 2010-05-06 |

| Product11 |          22 | 2011-12-25 |
| Product10 |          22 | 2011-11-26 |
|--------------------------------------|

是否有可能仅通过一个查询获得此结果集,什么是可行的解决方案?

在此先感谢,马塞尔

4

2 回答 2

1

您需要在子查询中查找每个类别的最新日期,将此子查询加入您的表并按 3 个字段排序:

SELECT p.* FROM products p
JOIN
( SELECT category_id, MAX(date) as category_date FROM products
  GROUP BY category_id ) pg
ON p.category_id = pg.category_id
ORDER BY pg.category_date DESC, p.category_id, p.date DESC
于 2012-04-25T07:57:11.583 回答
0

因此,您首先要按日期排序,该日期是具有相同 id 的产品组中的最大日期,然后您要对组内的日期进行排序。

用这个:

SELECT title, category_id, date
FROM table_name t
ORDER BY
    (SELECT Max(Date)
     FROM table_name
     WHERE title = t.title
     GROUP BY category_id) DESC,
    date DESC

而不是title您可以product_id在内部 sql 查询中使用。

于 2012-04-25T07:31:45.470 回答