文章目录
题目
有一个表BST,其中包含两列:N和P,其中N表示二进制树中节点的值,P是N的父级。
编写一个查询,以查找按节点值排序的二进制树的节点类型。为每个节点输出以下内容之一:
root:如果节点是根节点。
Leaf:如果节点是叶节点。
Inner:如果节点既不是根节点也不是叶节点。
输入
输出
1 Leaf
2 Inner
3 Leaf
5 Root
6 Leaf
8 Inner
9 Leaf
一、题析
根据上面题目可知
- P 是 null,那对应的N就是 Root
- 如果P和N中有对应的值,那 就是 Inner
- 否则(P和N没有值)就是 Leaf
二、题解
1.MySQL/SqlServer
代码如下:
c
select DISTINCT a.N,
case when a.P is null then 'Root'
when b.P is null then 'Leaf'
else 'Inner' end
from BST a left join BST b on a.N = b.P
order by a.N
或者
SELECT BST.N, CASE
WHEN BST.P IS NULL THEN 'Root'
WHEN Parents.P IS NULL THEN 'Leaf'
ELSE 'Inner' END
FROM BST
LEFT JOIN (SELECT DISTINCT P FROM BST ) Parents on Parents.P=BST.N
ORDER BY BST.N
2.Oracle
with tmp as (
select n, p, level as l
from bst
connect by prior n = p
start with p is null
)
select n, case when l = 1 then 'Root'
when l = (select max(l) from tmp) then 'Leaf'
else 'Inner'
end output
from tmp
order by n;