Reputation: 373
I'm trying to insert additional rows into a table which requires a value to be retrieved from another table. Below is an example query:
insert into a.grades (rollno, grade)
values(select rollno from b.students where ssn=12345, 'A');
Structure of b.students
table is rollno, ssn, name
.
I knew the above query is wrong. Is there a way to retrieve 1 value from other table while inserting a row?
Upvotes: 22
Views: 45307
Reputation: 4610
Columns in insert into and select must be equal
INSERT INTO grades (field1, field2)
SELECT field1, field2 from students where ssn=12345;
Upvotes: 4
Reputation: 521
Tables from two different databases!
Here the insert query used under Database 2!
INSERT INTO `or_details`(`per_name`) VALUES ( (SELECT person.per_details.per_name from person.per_details WHERE person.per_details.id=1001) );
Upvotes: 2
Reputation: 754130
INSERT INTO a.grades (rollno, grade)
SELECT rollno, 'A' FROM b.students WHERE ssn = 12345;
Some DBMS would accept the following, with an extra set of parenthesis around the SELECT statement:
INSERT INTO a.grades (rollno, grade)
VALUES((SELECT rollno FROM b.students WHERE ssn = 12345), 'A');
Upvotes: 53