1

我需要以下复杂任务的 SQL 查询...

我需要从名为parent_id. 如果一行有 0parent_id表示它是一个类别(它也有type表示cat类别的列),如果一行有 1 或更多parent_id表示它是一个规则。parent_id规则的,是类别rule_id的。

包含一些数据的表结构: phpMyAdmin 表数据

我需要以某种方式选择每个类别都有其子项。从图中我们可以得到:

Sample Category 1
   Sample rule 1
Sample Category 2

我尝试了一些从这里找到的查询,但没有一个有效。

这是我最后尝试的:

'SELECT *
FROM ' . RULES_TABLE . ' AS parent
    LEFT JOIN ' . RULES_TABLE . ' AS child 
    ON child.parent_id = parent.rule_id 
WHERE parent.parent_id = 0
     AND parent.public = 1
ORDER BY parent.cat_position, child.rule_position';

它仅返回示例规则 1

想法?

4

2 回答 2

2

试试这个小提琴http://sqlfiddle.com/#!2/0a9c5/16,下面的 sql 代码

SELECT c.rule_id, c.rule_title, GROUP_CONCAT(r.rule_title)
FROM RULES_TABLE AS c
LEFT JOIN RULES_TABLE AS r
    ON r.parent_id = c.rule_id
WHERE c.parent_id IS NULL AND c.public = 1
GROUP BY c.rule_id
ORDER BY c.cat_position, c.rule_position;

故意省略代码的 php 化以保持语法突出显示,这似乎无论如何都不起作用

如果超过允许的最大 group_concat 大小,您可以增加它或使用以下版本,并在 php 中进行更多处理:

SELECT c.rule_id, c.rule_title, r.rule_title as r_rule_title
FROM RULES_TABLE AS c
LEFT JOIN RULES_TABLE AS r
    ON r.parent_id = c.rule_id
WHERE c.parent_id IS NULL AND c.public = 1
ORDER BY c.cat_position, c.rule_position;

并且在 php 中,仅提供骨架代码,填写实际值,假设您使用 pdo 并且您的 pdostatement var 命名为$query

$old_rule_id = null;
$rrt = array(); // will contain all r.rule_titles for a give c.rule_id
while( ($i = $query->fetch(PDO::FETCH_OBJ)) !== false ) {
    if( $old_rule_id != $i->rule_id ) {
        if( count($rrt) ) {
            echo ... all the data for previous rule from $rrt ...
            echo ... end of previous element ...
            $rrt = array(); // empty it to collect new data
        }
        echo ... start of current element use data from $i->rule_id and $i->rule_title ...
        $old_rule_id = $rule_id;
    }
    $rrt[] = $i->r_rule_title;
}
// the following is the same if from inside the while, minus reinitialization of $rrt;
if( count($rrt) ) {
    echo ... all the data for previous rule from $rrt ...
    echo ... end of previous element ...
}

用有效代码替换...之间的东西

于 2012-10-07T16:23:24.467 回答
-1

使用 FOR XML EXPLICIT,您可以获得分层列表。

试试这个:

SELECT 
 1 Tag,
 null Parent,
 '' [root!1!name],
 null [category!2!id],
 null [category!2!name],
 null [rule!3!id],
 null [rule!3!name]

UNION ALL 

SELECT DISTINCT 
 2 Tag,
 1 Parent,
 null,
 rule_id [category!2!id],
 rule_title [category!2!name],
 null [rule!3!id],
 null [rule!3!name]
FROM rules
WHERE parent_id = 0 and rule_type = 'cat'

UNION ALL 

SELECT  
 3 Tag,
 2 Parent,
 null,
 parent_id [category!2!id],
 null [category!2!name],
 rule_id [rule!3!id],
 rule_title [rule!3!name]
FROM rules
WHERE parent_id > 0 and rule_type = 'rule'

FOR XML EXPLICIT

有关详细信息,请访问http://msdn.microsoft.com/en-us/library/ms189068.aspx

于 2012-10-07T16:35:30.917 回答