Problem
Table: Employees
+-------------+---------+
| Column Name | Type |
+-------------+---------+
| employee_id | int |
| name | varchar |
| salary | int |
+-------------+---------+
employee_id is the column with unique values for this table.
Each row of this table indicates the employee ID, employee name, and salary.
A company wants to divide the employees into teams such that all the members on each team have the same salary. The teams should follow these criteria:
- Each team should consist of at least two employees.
- All the employees on a team should have the same salary.
- All the employees of the same salary should be assigned to the same team.
- If the salary of an employee is unique, we do not assign this employee to any team.
- A team’s ID is assigned based on the rank of the team ’s salary relative to the other teams’ salaries, where the team with the lowest salary has
team_id = 1
. Note that the salaries for employees not on a team are not included in this ranking.
Write a solution to get the team_id
of each employee that is in a team.
Return the result table ordered by team_id
in ascending order. In case of a tie, order it by employee_id
in ascending order.
The result format is in the following example.
Examples
Example 1:
|
|
Solution
Method 1 – Group By and String Aggregation
Intuition
We need to group employees by salary and return the list of employee IDs for each salary group, sorted in ascending order. SQL’s GROUP BY and string aggregation functions can be used for this.
Approach
- Group the Employees table by salary.
- For each group, collect all employee IDs, sort them in ascending order, and concatenate them into a comma-separated string.
- Return the salary and the corresponding employee_id list as a string.
Code
|
|
|
|
|
|
Complexity
- ⏰ Time complexity:
O(n log n)
— Sorting employee IDs within each salary group. - 🧺 Space complexity:
O(n)
— For storing grouped and sorted employee IDs.