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

表:销售

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

表:ud

id  (int)
assid  (int)

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

什么查询将执行此操作?我在考虑加入,但我不确定是否可能。


当前回答

SQL不是真正可移植的另一个例子。

对于MySQL,应该是:

update ud, sale
set ud.assid = sale.assid
where sale.udid = ud.id;

有关更多信息,请阅读多表更新:http://dev.mysql.com/doc/refman/5.0/en/update.html

UPDATE [LOW_PRIORITY] [IGNORE] table_references
    SET col_name1={expr1|DEFAULT} [, col_name2={expr2|DEFAULT}] ...
    [WHERE where_condition]

其他回答

SQL不是真正可移植的另一个例子。

对于MySQL,应该是:

update ud, sale
set ud.assid = sale.assid
where sale.udid = ud.id;

有关更多信息,请阅读多表更新:http://dev.mysql.com/doc/refman/5.0/en/update.html

UPDATE [LOW_PRIORITY] [IGNORE] table_references
    SET col_name1={expr1|DEFAULT} [, col_name2={expr2|DEFAULT}] ...
    [WHERE where_condition]

PostgreSQL:

CREATE TABLE ud (id integer, assid integer);
CREATE TABLE sales (id integer, udid integer, assid integer);

UPDATE ud
SET assid = sales.assid
FROM sales
WHERE sales.id = ud.id;

语法严格取决于您使用的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 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(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

标准的SQL方法是

UPDATE ud
SET assid = (SELECT assid FROM sale s WHERE ud.id=s.id)

在SQL Server上,可以使用联接

UPDATE ud
SET assid = s.assid
FROM ud u
JOIN sale s ON u.id=s.id