MySQL嵌套子查询报错解决方法

  在MySQL中,写SQL语句的时候,遇到You can't specify target table '表名' for update in FROM clause这样的错误,它的意思是说,不能先select出同一表中的某些值,再update这个表(在同一语句中),即不能依据某字段值做判断再来更新某字段的值。

实例如下语句:
update t_user set password =(select t.password from t_user t where t.username = 'admin') where uid = '1'
语义是没有问题的,将id为1的密码设置为和admin相同的密码,运行时报错如下:
update t_user set password = (select t.password from t_user t where t.username = 'admin') where uid = '1'
Error Code: 1093. You can't specify target table 't_user' for update in FROM clause 0.000 sec

主要原因是MySQL不支持这种查询修改的方式,针对此类问题有个简单的解决办法,绕一下将查询结果放到临时表中进行取值和更新,本例修改后语句如下:
update t_user set password = (select a.password from
(select t.password from t_user t where t.username = 'admin') a)
where uid = '1';

运行成功,其实就是将SELECT出的结果再通过中间表SELECT一遍,这样就避免了错误。

你可能感兴趣的:(MySQL嵌套子查询报错解决方法)