如何使用递归查询作为子查询?

时间:2011-04-18 13:43:48

标签: sql-server tsql recursive-query

我需要编写一个多次调用递归查询的查询。

我无法弄明白该怎么做。我想我可以通过使用游标,在运行时准备sql语句然后使用EXEC(mySQLstatement)在每个游标FETCH NEXT运行它来做到这一点。

无论如何,这不是好方法。

这是问题(当然这里是简化的,我只留下必要的栏目来表达自己): 我有一个客户树(层次结构),并且每个客户都定义了一些联系人。

CUSTOMERS表包含ID_CUSTOMER字段和ID_PARENT_CUSTOMER字段 CUSTOMER_CONTACTS表包含ID_CUSTOMER字段和ID_CONTACT字段。

通过此查询(它可以工作),我可以获得客户308的所有联系人以及其子客户的所有联系人:

with [CTE] as (
    select ID_CUSTOMER from CUSTOMERS c where c.ID_CUSTOMER = 308
    union all
    select c.ID_CUSTOMER from [CTE] p, CUSTOMERS c 
        where c.ID_PARENT_CUSTOMER = p.ID_CUSTOMER
)
select ID_CUSTOMER into #Customer308AndSubCustomers from [CTE]

select 308 as ParentCustomer, ID_CUSTOMER, ID_CONTACT,  from CUSTOMER_CONTACTS
WHERE ID_CUSTOMER IN (select * from #Customer308AndSubCustomers)
drop table #Customer308AndSubCustomers

但是我想在所有客户的单个查询中都有相同的信息,而不仅仅是308.所以这就是为什么我建议使用游标以便我可以重用上面的语句而只是使用变量而不是308。

但你能建议更好的查询吗?

2 个答案:

答案 0 :(得分:7)

只需从锚点部分删除过滤条件:

WITH    q AS
        (
        SELECT  ID_CUSTOMER, ID_CUSTOMER AS root_customer
        FROM    CUSTOMERS c
        UNION ALL
        SELECT  c.ID_CUSTOMER, q.root_customer
        FROM    q
        JOIN    CUSTOMERS c 
        ON      c.ID_PARENT_CUSTOMER = q.ID_CUSTOMER
        )
SELECT  *
FROM    q

root_customer将显示链的根。

请注意,可能会多次退回相同的客户。

说,孙子将至少返回三次:在其祖父母树,其父树和自己的树中,但每次都有不同的root_customer

答案 1 :(得分:0)

在PostgreSQL中,您可以编写如下的递归查询CTE。 下面的查询获取具有id(7)的给定类别的所有子类别

WITH RECURSIVE category_tree(id, parent_category) AS (
   SELECT id, parent_category
   FROM category
   WHERE id = 7  -- this defines the start of the recursion
   UNION ALL
   SELECT child.id,  child.parent_category
   FROM category   child
     JOIN category_tree  parent ON parent.id = child.parent_category -- the self join to the CTE builds up the recursion
)
SELECT * FROM category_tree;