左连接有限的行数

时间:2018-03-14 14:27:00

标签: sql postgresql

我有以下情况。我有3个表:artistssongsstats。我想创建一个查询,显示每位艺术家最近播放10首歌曲的次数。目前我有以下内容:

SELECT artists.id, COALESCE(SUM(stats.plays), 0)

FROM artists

LEFT JOIN (
    SELECT id

    FROM songs as inner_songs
    WHERE inner_songs.artist_id = artists.id

    ORDER BY published_at DESC

    LIMIT 10
) AS songs

LEFT JOIN stats
ON stats.song_id = songs.id

GROUP BY artists.id

我收到以下错误:

HINT:  There is an entry for table "artsis", but it cannot be referenced from this part of the query.

现在我知道我不能在de left join中使用artists.id,但问题仍然存在。我该怎么做这个查询?

1 个答案:

答案 0 :(得分:4)

您可以通过两种不同的方式实现这一目标:

横向连接:

SELECT artists.id, COALESCE(SUM(stats.plays), 0)
FROM artists
  LEFT JOIN LATERAL (
      SELECT id, artist_id
      FROM songs as inner_songs
      WHERE artist_id = artists.id
      ORDER BY published_at DESC
      LIMIT 10
  ) AS songs ON songs.artist_id = artists.id
  LEFT JOIN stats ON stats.song_id = songs.id
GROUP BY artists.id;

或者您可以在派生表中使用窗口函数:

SELECT artists.id, COALESCE(SUM(stats.plays), 0)
FROM artists
  LEFT JOIN (
      SELECT id, 
             artist_id, 
             row_number() over (partition by artist_id order by published_at) as rn
      FROM songs
  ) AS songs ON songs.artist_id = artists.id AND rn <= 10
  LEFT JOIN stats ON stats.song_id = songs.id
GROUP BY artists.id;

横向连接的解决方案可能更快。