25

Oracle中,如果我有一个表定义为……</p>

CREATE TABLE taxonomy
    (
    key NUMBER(11) NOT NULL CONSTRAINT taxPkey PRIMARY KEY,
    value VARCHAR2(255),
    taxHier NUMBER(11)
    );
ALTER TABLE
    taxonomy
ADD CONSTRAINT
    taxTaxFkey
FOREIGN KEY
    (taxHier)
REFERENCES
    tax(key);

有了这些价值观……</p>

key value   taxHier
0   zero    null
1   one     0
2   two     0
3   three   0
4   four    1
5   five    2
6   six     2

这个查询语法……</p>

SELECT
     value
FROM
    taxonomy
CONNECT BY
    PRIOR key = taxHier
START WITH
    key = 0;

将产生……</p>

zero
one
four
two
five
six
three

这是如何在PostgreSQL中完成的?

4

3 回答 3

40

RECURSIVE CTE在 Postgres 中使用 a :

WITH RECURSIVE cte AS (
   SELECT key, value, 1 AS level
   FROM   taxonomy
   WHERE  key = 0

   UNION  ALL
   SELECT t.key, t.value, c.level + 1
   FROM   cte      c
   JOIN   taxonomy t ON t.taxHier = c.key
   )
SELECT value
FROM   cte
ORDER  BY level;

我之前的回答中的详细信息和文档链接:

于 2014-07-22T23:40:55.563 回答
11

Postgres 确实有与 connect by 等价的功能。您将需要启用该模块。它默认关闭。

它被称为tablefunc。它支持一些很酷的交叉表功能以及熟悉的“ connect by ”和“ Start With ”。我发现它比递归 CTE 更有说服力和逻辑性。如果您的 DBA 无法启用此功能,您应该采用 Erwin 的做法。
它也足够强大,可以进行“材料清单”类型的查询。

可以通过运行以下命令打开 Tablefunc:

CREATE EXTENSION tablefunc;

这是从官方文档中新提取的连接字段列表。

Parameter:         Description
relname:           Name of the source relation (table)
keyid_fld:         Name of the key field
parent_keyid_fld:  Name of the parent-key field
orderby_fld:       Name of the field to order siblings by (optional)
start_with:        Key value of the row to start at
max_depth:         Maximum depth to descend to, or zero for unlimited depth
branch_delim:      String to separate keys with in branch output (optional)

你真的应该看看文档页面。它写得很好,它会给你你习惯的选项。(在文档页面上向下滚动,它靠近底部。)

Postgreql "Connect by" 扩展 下面是对该结构的组合应该是什么样的描述。有很多潜力,所以我不会公正地对待它,但这里有一个片段可以给你一个想法。

connectby(text relname, text keyid_fld, text parent_keyid_fld
          [, text orderby_fld ], text start_with, int max_depth
          [, text branch_delim ])

真正的查询将如下所示。Connectby_tree 是表的名称。以“AS”开头的行是您命名列的方式。它看起来有点颠倒。

SELECT * FROM connectby('connectby_tree', 'keyid', 'parent_keyid', 'pos', 'row2', 0, '~')
    AS t(keyid text, parent_keyid text, level int, branch text, pos int);
于 2016-06-15T21:35:38.950 回答
0

正如 Stradas 所指出的,我报告了这个查询:

SELECT value 
FROM connectby('taxonomy', 'key', 'taxHier', '0', 0, '~') 
AS t(keyid numeric, parent_keyid numeric, level int, branch text) 
inner join taxonomy t on t.key = keyid;
于 2020-04-03T12:56:33.103 回答