leetcode 1378. Replace Employee ID With The Unique Identifier (SQL Solution)


(1378. Replace Employee ID With The Unique) This is a LeetCode easy question. However, if you are not familiar with joins, it can become tricky. This question primarily requires knowledge of joins, and if you don’t know when to use which join, you may find it challenging even though it’s considered an easy question. I have explained at the end how to solve this type of question by simply looking at the output.

The Question :

Table: Employees

Column NameType
id int
nameVarchar

id is the primary key (column with unique values) for this table.
Each row of this table contains the id and the name of an employee in a company.

Table: EmployeeUNI

Column NameType
idint
unique_idint

(id, unique_id) is the primary key (combination of columns with unique values) for this table.
Each row of this table contains the id and the corresponding unique id of an employee in the company.

Write a solution to show the unique ID of each user, If a user does not have a unique ID replace just show null.

Return the result table in any order.

The result format is in the following example.

Example 1:

Input:
Employees table:

idname
1Alice
7Bob
11Meir
90Winston
3Jonathan

EmployeeUNI table:

idunique_id
31
112
903

Output:

unique_idname
null Alice
nullBob
2Meir
3Winston
1Jonathan

Explanation:

Alice and Bob do not have a unique ID, We will show null instead.
The unique ID of Meir is 2.
The unique ID of Winston is 3.
The unique ID of Jonathan is 1.


The Solution :

select Unique_id, name from employees e1 left join employeeUNI e2 
on e1.id=e2.id 

Explanation:

We can observe that in the expected output table, there is one column from the left table (name) and one column from the right table (unique_id). In the left table’s column (name), all the values are present, while in the right table’s column (unique_id), some null values are present. In this situation, we use a left join. A left join provides us with matching values from the right table and retains all values from the left table.

Other LeetCode Questions :

1 thought on “leetcode 1378. Replace Employee ID With The Unique Identifier (SQL Solution)”

Leave a Comment

Your email address will not be published. Required fields are marked *

Scroll to Top