协慌网

登录 贡献 社区

如何在 SQL 中使用 JOIN 执行 UPDATE 语句?

我需要使用其 “父” 表中的数据更新SQL Server 2005 中的此表,如下所示:

拍卖

id (int)
udid (int)
assid (int)

UD

id  (int)
assid  (int)

sale.assid包含更新ud.assid的正确值。

什么查询会这样做?我正在考虑join但我不确定它是否可行。

答案

语法严格依赖于您正在使用的 SQL DBMS。以下是 ANSI / ISO(也就是应该适用于任何 SQL DBMS),MySQL,SQL Server 和 Oracle 的一些方法。请注意,我建议的 ANSI / ISO 方法通常比其他两种方法慢得多,但如果您使用的是 MySQL,SQL Server 或 Oracle 以外的 SQL DBMS,那么它可能是唯一的方法(例如如果您的 SQL DBMS 不支持MERGE ):

ANSI / ISO:

update ud 
     set assid = (
          select sale.assid 
          from sale 
          where sale.udid = ud.id
     )
 where exists (
      select * 
      from sale 
      where sale.udid = ud.id
 );

MySQL 的:

update ud u
inner join sale s on
    u.id = s.udid
set u.assid = s.assid

SQL Server:

update u
set u.assid = s.assid
from ud u
    inner join sale s on
        u.id = s.udid

PostgreSQL 的:

update ud
  set ud.assid = s.assid
from sale s 
where ud.id = s.udid;

请注意,不能在 Postgres 的FROM子句中重复目标表。

甲骨文:

update
    (select
        u.assid as new_assid,
        s.assid as old_assid
    from ud u
        inner join sale s on
            u.id = s.udid) up
set up.new_assid = up.old_assid

SQLite 的:

update ud 
     set assid = (
          select sale.assid 
          from sale 
          where sale.udid = ud.id
     )
 where RowID in (
      select RowID 
      from ud 
      where sale.udid = ud.id
 );

这应该在 SQL Server 中工作:

update ud 
set assid = sale.assid
from sale
where sale.udid = id

Postgres 的

UPDATE table1
SET    COLUMN = value
FROM   table2,
       table3
WHERE  table1.column_id = table2.id
       AND table1.column_id = table3.id
       AND table1.COLUMN = value
       AND table2.COLUMN = value
       AND table3.COLUMN = value