当用一个表中的数据来更新另一个表中的数据,T-SQL
提供多种写法(下面列出了二种),但建议用第一种写法,虽然传统,但结构清晰。
并且要注意,当用一个表中的数据来更新另一个表中的数据时,二个表一定要有关联!
方法一
update t1 set t1.c2 = t2.c2
from t2
where t1.c1 = t2.c1
方法二
Update t1 set t1.c2 = t2.c2
from t1 inner join t2 on t1.c1 = t2.c1
FROM
子句中指定的表的别名不能作为SET column_name
子句中被修改字段的限定符使用。例如,下面的内容无效:
UPDATE titles
SET t.ytd_sales = t.ytd_sales + s.qty
FROM titles t, sales s
WHERE t.title_id = s.title_id
AND s.ord_date = (SELECT MAX(sales.ord_date) FROM sales)
若要使上例合法,请从列名中删除别名 t 或使用本身的表名。
方法三
UPDATE titles
SET ytd_sales = t.ytd_sales + s.qty
FROM titles t, sales s
WHERE t.title_id = s.title_id
AND s.ord_date = (SELECT MAX(sales.ord_date) FROM sales)
方法四
UPDATE titles
SET titles.ytd_sales = t.ytd_sales + s.qty
FROM titles t, sales s
WHERE t.title_id = s.title_id
AND s.ord_date = (SELECT MAX(sales.ord_date) FROM sales)
比如下面的 sql:
update item_master i set i.contral_ma= ( select max(b.control_ma) from base_complex b where b.code=i.hs_code );
更新一列:
update mytab a set name=(select b.name from goal b where b.id=a.id)
where exists (select 1 from goal b where b.id=a.id);
更新多列:
update mytab a
set (name,address)=(select b.name,b.address
from goal b
where b.id=a.id)
where exists (select 1
from goal b
where b.id=a.id )
特别是要注意 exists 后面的语句,这会让目标行不至于为 NULL。
更新 update 多个关联表的 SQL 写法:
update customers a
set city_name=(
select b.city_name from tmp_cust_city b where b.customer_id=a.customer_id
)
where exists (
select 1
from tmp_cust_city b
where b.customer_id=a.customer_id
)
update 超过 2 个值。
update customers a
set (city_name,customer_type)=(select b.city_name,b.customer_type
from tmp_cust_city b
where b.customer_id=a.customer_id)
where exists (select 1
from tmp_cust_city b
where b.customer_id=a.customer_id
)
原创文章,作者:guozi,如若转载,请注明出处:https://www.sudun.com/ask/80978.html