EN
PostgreSQL - insert data from one table to another
0 points
In this article, we would like to show how to insert data from one table to another in PostgreSQL.
Quick solution:
xxxxxxxxxx
1
INSERT INTO "dst_table" (SELECT * FROM "src_table")
Where:
src_table
means source table name,dst_table
means destination table name.
In this section, we want to show how to copy data with INSERT ... SELECT
query.


Note: at the end of this article you can find database preparation SQL queries.
xxxxxxxxxx
1
INSERT INTO "users" ("name", "email", "country")
2
SELECT "name", "email", ''
3
FROM "members";

create_tables.sql
file:
xxxxxxxxxx
1
CREATE TABLE "users" (
2
"id" SERIAL,
3
"name" VARCHAR(100),
4
"email" VARCHAR(100),
5
"country" VARCHAR(15),
6
PRIMARY KEY ("id")
7
);
8
9
CREATE TABLE "members" (
10
"id" SERIAL,
11
"name" VARCHAR(50) NOT NULL,
12
"surname" VARCHAR(50) NOT NULL,
13
"email" VARCHAR(50),
14
PRIMARY KEY ("id")
15
);
insert_data.sql
file:
xxxxxxxxxx
1
INSERT INTO "users"
2
("name", "email", "country")
3
VALUES
4
('Tom', 'tom@email.com', 'Poland'),
5
('Chris', 'chris@email.com', 'Spain'),
6
('Jack', 'jack@email.com', 'Spain'),
7
('Kim', 'kim@email.com', 'Vietnam'),
8
('Marco', 'marco@email.com', 'Italy'),
9
('Kate', 'kate@email.com', 'Spain'),
10
('Nam', 'nam@email.com', 'Vietnam');
11
12
INSERT INTO "members"
13
( "name", "surname", "email")
14
VALUES
15
('John', 'Stewart', 'john@email.com'),
16
('Chris', 'Brown', NULL),
17
('Kate', 'Lewis', NULL),
18
('Ailisa', 'Gomez', 'ailisa@email.com'),
19
('Gwendolyn', 'James', NULL),
20
('Simon', 'Collins', NULL),
21
('Taylor', 'Martin', NULL),
22
('Andrew', 'Thompson', 'andrew@email.com');