Update a column of a table with a column of another table in PostgreSQL

后端 未结 2 928
独厮守ぢ
独厮守ぢ 2020-12-02 18:36

I want to copy all the values from one column val1 of a table table1 to one column val2 of another table table2. I tried

相关标签:
2条回答
  • 2020-12-02 19:14

    Your UPDATE query should look like this:

    UPDATE table2 t2
    SET    val2 = t1.val1
    FROM   table1 t1
    WHERE  t2.table2_id = t1.table2_id
    AND    t2.val2 IS DISTINCT FROM t1.val1;  -- optional, see below
    

    The way you had it, there was no link between individual rows of the two tables. Every row would be fetched from table1 for every row in table2. This made no sense (in an expensive way) and also triggered the syntax error, because a subquery expression in this place is only allowed to return a single value.

    I fixed this by joining the two tables on table2_id. Replace that with whatever actually links the two.

    I rewrote the UPDATE to join in table1 (with the FROM clause) instead of running correlated subqueries, because that is typically faster by an order of magnitude.
    It also prevents that table2.val2 would be nullified where no matching row is found in table1. Instead, nothing happens to such rows with this form of the query.

    You can add table expressions to the FROM list like would in a plain SELECT (tables, subqueries, set-returning functions, ...). The manual:

    from_list

    A list of table expressions, allowing columns from other tables to appear in the WHERE condition and the update expressions. This is similar to the list of tables that can be specified in the FROM Clause of a SELECT statement. Note that the target table must not appear in the from_list, unless you intend a self-join (in which case it must appear with an alias in the from_list).

    The final WHERE clause prevents updates that wouldn't change anything - which is practically always a good idea (almost full cost but no gain, exotic exceptions apply). If both old and new value are guaranteed to be NOT NULL, simplify to:

    AND   t2.val2 <> t1.val1
    
    • How do I (or can I) SELECT DISTINCT on multiple columns?
    0 讨论(0)
  • 2020-12-02 19:15

    update table1 set table1_column= table2.column from table2 table2 where table1_id= table2.id

    1. do not use alias name for table1.
    2. tables are table1, table2
    0 讨论(0)
提交回复
热议问题