我想在一个表中更新一个列,在其他表上进行连接,例如:

UPDATE table1 a 
INNER JOIN table2 b ON a.commonfield = b.[common field] 
SET a.CalculatedColumn= b.[Calculated Column]
WHERE 
    b.[common field]= a.commonfield
AND a.BatchNO = '110'

但它在抱怨:

警报170,15层,状态1,2号线 第2行:'a'附近的语法错误。

这里出了什么问题?


当前回答

上面Aaron的方法对我来说非常有效。我的更新语句略有不同,因为我需要基于一个表中连接的两个字段进行连接,以匹配另一个表中的字段。

 --update clients table cell field from custom table containing mobile numbers

update clients
set cell = m.Phone
from clients as c
inner join [dbo].[COSStaffMobileNumbers] as m 
on c.Last_Name + c.First_Name = m.Name

其他回答

上面Aaron的方法对我来说非常有效。我的更新语句略有不同,因为我需要基于一个表中连接的两个字段进行连接,以匹配另一个表中的字段。

 --update clients table cell field from custom table containing mobile numbers

update clients
set cell = m.Phone
from clients as c
inner join [dbo].[COSStaffMobileNumbers] as m 
on c.Last_Name + c.First_Name = m.Name

Try:

UPDATE table1
SET CalculatedColumn = ( SELECT [Calculated Column] 
                         FROM table2 
                         WHERE table1.commonfield = [common field])
WHERE  BatchNO = '110'

我想,这就是你要找的。

UPDATE
    Table1
SET
    Table1.columeName =T1.columeName * T2.columeName
FROM 
    Table1 T1
    INNER JOIN Table2 T2
        ON T1.columeName = T2.columeName;
    UPDATE mytable
         SET myfield = CASE other_field
             WHEN 1 THEN 'value'
             WHEN 2 THEN 'value'
             WHEN 3 THEN 'value'
         END
    From mytable
    Join otherTable on otherTable.id = mytable.id
    Where othertable.somecolumn = '1234'

这里有更多的选择。

Aaron给出的答案是完美的:

UPDATE a
  SET a.CalculatedColumn = b.[Calculated Column]
  FROM Table1 AS a
  INNER JOIN Table2 AS b
  ON a.CommonField = b.[Common Field]
  WHERE a.BatchNo = '110';

只是想补充一下为什么在SQL Server中,当我们在更新表时尝试使用表的别名时,会出现这个问题,下面提到的语法总是会给出错误:

update tableName t 
set t.name = 'books new' 
where t.id = 1

如果您正在更新单个表或在使用连接进行更新,则Case可以是任何。

虽然上面的查询在PL/SQL中可以很好地工作,但在SQL Server中不行。

在SQL Server中使用表别名更新表的正确方法是:

update t 
set t.name = 'books new' 
from tableName t 
where t.id = 1

希望它能帮助大家为什么错误会出现在这里。