Oracle子查询没有看到外部块2级别的变量

时间:2010-01-12 10:38:46

标签: sql oracle ora-00904

我想在一个查询中收到一篇帖子以及与帖子相关的第一条评论。以下是我在PostgreSQL中的表现:

SELECT p.post_id, 
(select * from 
 (select comment_body from comments where post_id = p.post_id 
 order by created_date asc) where rownum=1
) the_first_comment
FROM posts p  

它工作正常。

但是,在Oracle中我收到错误ORA-00904 p.post_id:标识符无效。

对于一个子选择似乎工作正常,但由于我需要使用rownum(在Oracle中没有限制/偏移),我无法仅使用一个注释。

我在这里做错了什么?

2 个答案:

答案 0 :(得分:46)

不,Oracle不会将嵌套在多个深度级别的子查询关联起来(MySQL也不会。)

这是一个众所周知的问题。

使用此:

SELECT  p.post_id, c.*
FROM    posts
JOIN    (
        SELECT  c.*, ROW_NUMBER() OVER (PARTITION BY post_id ORDER BY created_date ASC) AS rn
        FROM    comments c
        ) c
ON      c.post_id = p.post_id
        AND rn = 1

答案 1 :(得分:3)

如果您需要与平台无关的SQL,则可以使用:

SELECT p.post_id
     , c.comment_body
  FROM posts p
     , comments c
 WHERE p.post_id = c.post_id
   AND c.created_date IN
       ( SELECT MIN(c2.created_date)
           FROM comments c2
          WHERE c2.post_id = p.post_id
        );

但它假设(post_id,created_date)是评论的主键。如果不是,您将获得多个具有相同created_date注释的帖子。

此外,它可能比Quassnoi提供的使用分析的解决方案要慢。