Skip to content

Latest commit

 

History

History
82 lines (68 loc) · 1.4 KB

134_friend_requests_ii_who_has_the_most_friends.md

File metadata and controls

82 lines (68 loc) · 1.4 KB

SQL Everyday #134

Friend Requests II: Who Has the Most Friends

Site: LeetCode
Difficulty per Site: Medium

Problem

Write a solution to find the people who have the most friends and the most friends number.

The test cases are generated so that only one person has the most friends. [Full Description]

Submitted Solution

-- Submitted Solution
WITH cte1 AS (
    SELECT
        accepter_id AS id
        ,COALESCE(COUNT(DISTINCT requester_id), 0) AS total
    FROM RequestAccepted
    GROUP BY accepter_id
),
cte2 AS (
    SELECT
    requester_id AS id
    ,COALESCE(COUNT(DISTINCT accepter_id), 0) AS total
FROM RequestAccepted
GROUP BY requester_id
),
cte3 AS (
    SELECT
        *
    FROM cte1 
    UNION ALL
    SELECT
        *
    FROM cte2
)
SELECT
    id
    ,SUM(total) AS num
FROM cte3
GROUP BY id
ORDER BY num DESC
LIMIT 1
;

Site Solution

-- LeetCode Solution 
WITH all_ids AS (
   SELECT requester_id AS id 
   FROM RequestAccepted
   UNION ALL
   SELECT accepter_id AS id
   FROM RequestAccepted)
SELECT id, num
FROM 
   (
   SELECT id, 
      COUNT(id) AS num, 
      RANK () OVER(ORDER BY COUNT(id) DESC) AS rnk
   FROM all_ids
   GROUP BY id
   )t0
WHERE rnk=1

Notes

TBD

NB

UNION ALL

Go to Index
Go to Overview