在MySQL查询的WHERE子句中使用列别名会产生错误

时间:2009-06-03 00:31:59

标签: mysql sql mysql-error-1054

我正在运行的查询如下,但是我收到此错误:

  

#1054 - 'IN / ALL / ANY子查询'中的未知列'guarantee_postcode'

SELECT `users`.`first_name`, `users`.`last_name`, `users`.`email`,
SUBSTRING(`locations`.`raw`,-6,4) AS `guaranteed_postcode`
FROM `users` LEFT OUTER JOIN `locations`
ON `users`.`id` = `locations`.`user_id`
WHERE `guaranteed_postcode` NOT IN #this is where the fake col is being used
(
 SELECT `postcode` FROM `postcodes` WHERE `region` IN
 (
  'australia'
 )
)

我的问题是:为什么我无法在同一个数据库查询的where子句中使用假列?

8 个答案:

答案 0 :(得分:387)

您只能在GROUP BY,ORDER BY或HAVING子句中使用列别名。

  

标准SQL不允许您这样做   引用WHERE中的列别名   条款。这种限制是强加的   因为当WHERE代码是   执行后,列值可能尚未执行   确定。

MySQL documentation

复制

正如评论中指出的那样,使用HAVING可能会完成工作。请确保尽快阅读此WHERE vs HAVING

答案 1 :(得分:23)

正如Victor指出的那样,问题在于别名。但是,通过将表达式直接放入WHERE x IN y子句中,可以避免这种情况:

SELECT `users`.`first_name`,`users`.`last_name`,`users`.`email`,SUBSTRING(`locations`.`raw`,-6,4) AS `guaranteed_postcode`
FROM `users` LEFT OUTER JOIN `locations`
ON `users`.`id` = `locations`.`user_id`
WHERE SUBSTRING(`locations`.`raw`,-6,4) NOT IN #this is where the fake col is being used
(
 SELECT `postcode` FROM `postcodes` WHERE `region` IN
 (
  'australia'
 )
)

但是,我认为这是非常低效的,因为子查询必须为外部查询的每一行执行。

答案 2 :(得分:18)

标准SQL(或MySQL)不允许在WHERE子句中使用列别名,因为

  

在评估WHERE子句时,可能尚未确定列值。

(来自MySQL documentation)。您可以做的是计算 WHERE 子句中的列值,将值保存在变量中,并在字段列表中使用它。例如,你可以这样做:

SELECT `users`.`first_name`, `users`.`last_name`, `users`.`email`,
@postcode AS `guaranteed_postcode`
FROM `users` LEFT OUTER JOIN `locations`
ON `users`.`id` = `locations`.`user_id`
WHERE (@postcode := SUBSTRING(`locations`.`raw`,-6,4)) NOT IN
(
 SELECT `postcode` FROM `postcodes` WHERE `region` IN
 (
  'australia'
 )
)

这避免了在表达式变得复杂时重复表达式,使代码更易于维护。

答案 3 :(得分:13)

也许我的答案为时已晚,但这可以帮助别人。

您可以将其与另一个select语句括起来,并使用where子句。

SELECT * FROM (Select col1, col2,...) as t WHERE t.calcAlias > 0

calcAlias是计算的别名列。

答案 4 :(得分:8)

您可以在SELECT字段和别名中使用HAVING子句计算过滤器

答案 5 :(得分:1)

我使用的是mysql 5.5.24,以下代码可以使用:

select * from (
SELECT `users`.`first_name`, `users`.`last_name`, `users`.`email`,
SUBSTRING(`locations`.`raw`,-6,4) AS `guaranteed_postcode`
FROM `users` LEFT OUTER JOIN `locations`
ON `users`.`id` = `locations`.`user_id`
) as a
WHERE guaranteed_postcode NOT IN --this is where the fake col is being used
(
 SELECT `postcode` FROM `postcodes` WHERE `region` IN
 (
  'australia'
 )
)

答案 6 :(得分:0)

标准SQL不允许在WHERE子句中引用列别名。强制执行此限制是因为在评估WHERE子句时,可能尚未确定列值。例如,以下查询是非法的:

SELECT id,COUNT(*)AS cnt FROM tbl_name WHERE cnt> 0 GROUP BY id;

答案 7 :(得分:0)

您可以使用SUBSTRING(locationsraw, - 6,4)来了解条件

SELECT `users`.`first_name`, `users`.`last_name`, `users`.`email`,
SUBSTRING(`locations`.`raw`,-6,4) AS `guaranteed_postcode`
FROM `users` LEFT OUTER JOIN `locations`
ON `users`.`id` = `locations`.`user_id`
WHERE SUBSTRING(`locations`.`raw`,-6,4) NOT IN #this is where the fake col is being used
(
SELECT `postcode` FROM `postcodes` WHERE `region` IN
(
 'australia'
)
)