Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

join two different tables and remove duplicated entries

Tags:

sql

postgresql

I'm complete novice in sql queries. I have two tables:

table1:

id_s  name   post_code     city     subject
------------------------------------------
1     name1  postal1    city1    subject1
2     name2  postal2    city2    subject2
3     name3  postal3    city3    subject3
4     name4  postal4    city4    subject4
...
~350

table2:

id_p  name   post_code     city     subject
------------------------------------------
1     name1  postal1    city1    subject1
2     name2  postal2    city2    subject2
3     name3  postal3    city3    subject3
4     name4  postal4    city4    subject4 
...
~1200

I want to join both tables, and remove entries with same name and postal code. I found some answers on how to do it but they were too complicated.

like image 345
Chris Avatar asked Oct 25 '25 06:10

Chris


2 Answers

You can use UNION clause, UNION will check for duplicates and only distinct rows will be returned

SELECT * FROM table1
UNION
SELECT * FROM Table2

Edit: To store data from both table without duplicates, do this

INSERT INTO TABLE1
SELECT * FROM TABLE2 A
WHERE NOT EXISTS (SELECT 1 FROM TABLE1 X 
                  WHERE A.NAME = X.NAME AND 
                  A.post_code = x.post_code)

This will insert rows from table2 that do not match name, postal code from table1

Alternative is that You can also create new table and not touch table1 and table2

CREATE TABLE TABLENAME AS
SELECT * FROM table1
UNION
SELECT * FROM Table2
like image 166
rs. Avatar answered Oct 27 '25 19:10

rs.


You can give a SELECT INTO command like this

SELECT * INTO newtable FROM table1
UNION
SELECT * FROM table2;

This will create a newtable from both table1 and table2 without any duplicates

like image 36
Saju Avatar answered Oct 27 '25 21:10

Saju