我正在尝试查询按score
. score
是一个整数,comments 表有一个自引用parent_id
列。
每个页面应至少有一个根评论,后跟它的子评论。如果数据集中只有一个根评论,则只会返回一页。
因此,给定表中的以下数据comments
:
+----+-------+-----------+
| id | score | parent_id |
+----+-------+-----------+
| 1 | 10 | NULL |
| 2 | 5 | NULL |
| 3 | 0 | 1 |
| 4 | 6 | 2 |
| 5 | 0 | NULL |
| 6 | 30 | 1 |
| 7 | 1 | 3 |
| 8 | 0 | 4 |
| 9 | 50 | NULL |
| 10 | 2 | 2 |
+----+-------+-----------+
我希望能够SELECT * FROM comments
......LIMIT 4 OFFSET 0
并让第 1 页成为:
+----+-------+-----------+
| id | score | parent_id |
+----+-------+-----------+
| 9 | 50 | NULL |
| 1 | 10 | NULL |
| 6 | 30 | 1 |
| 3 | 0 | 1 |
+----+-------+-----------+
第 2 页是:
+----+-------+-----------+
| id | score | parent_id |
+----+-------+-----------+
| 2 | 5 | NULL |
| 4 | 6 | 2 |
| 10 | 2 | 2 |
| 5 | 0 | NULL |
+----+-------+-----------+
第 3 页为空白,因为没有根评论。
我正在使用Bill Karwin所描述的支持闭包表,因为可以使用任何评论作为根评论来独立查看评论子树,这似乎是最好的解决方案。
相关表格的结构和样本数据如下:
CREATE TABLE `comments` (
`id` int(11) unsigned NOT NULL AUTO_INCREMENT,
`score` int(11) NOT NULL,
`parent_id` int(11) unsigned DEFAULT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
INSERT INTO `comments` (`id`, `score`, `parent_id`)
VALUES
(1,10,NULL),
(2,5,NULL),
(3,0,1),
(4,6,2),
(5,0,NULL),
(6,30,1),
(7,1,3),
(8,0,4),
(9,50,NULL),
(10,2,2);
CREATE TABLE `comments_closure` (
`id` int(11) unsigned NOT NULL AUTO_INCREMENT,
`ancestor` int(11) unsigned NOT NULL,
`descendant` int(11) unsigned NOT NULL,
`depth` int(11) unsigned NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
INSERT INTO `comments_closure` (`id`, `ancestor`, `descendant`, `depth`)
VALUES
(1,1,0), (1,3,1), (1,6,1), (1,7,2),
(2,2,0), (2,4,1), (2,10,1), (2,8,2),
(3,3,0), (3,7,1),
(4,4,0), (4,8,1),
(5,5,0),
(6,6,0),
(7,7,0),
(8,8,0),
(9,9,0),
(10,10,0);