我需要在SQL Server中使用其“父”表中的数据更新此表,如下所示:
表:销售
id (int)
udid (int)
assid (int)
表:ud
id (int)
assid (int)
sale.assid包含更新ud.assid的正确值。
什么查询将执行此操作?我在考虑加入,但我不确定是否可能。
我需要在SQL Server中使用其“父”表中的数据更新此表,如下所示:
表:销售
id (int)
udid (int)
assid (int)
表:ud
id (int)
assid (int)
sale.assid包含更新ud.assid的正确值。
什么查询将执行此操作?我在考虑加入,但我不确定是否可能。
当前回答
最简单的方法是使用SQL2005中引入的公共表表达式(CTE)
with cte as
(select u.assid col1 ,s.assid col2 from ud u inner join sale s on u.id = s.udid)
update cte set col1=col2
其他回答
在MS ACCESS中:
UPDATE ud
INNER JOIN sale ON ud.id = sale.udid
SET ud.assid = sale.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方法是
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
对于SQLite,使用RowID属性进行更新:
update Table set column = 'NewValue'
where RowID =
(select t1.RowID from Table t1
join Table2 t2 on t1.JoinField = t2.JoinField
where t2.SelectValue = 'FooMyBarPlease');
使用JOIN多个表简化更新查询。
UPDATE
first_table ft
JOIN second_table st ON st.some_id = ft.some_id
JOIN third_table tt ON tt.some_id = st.some_id
.....
SET
ft.some_column = some_value
WHERE ft.some_column = 123456 AND st.some_column = 123456
请注意,first_table、second_table、third_table和123456这样的some_column是演示表名、列名和id。用有效名称替换它们。