233

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

#1054 - 'IN/ALL/ANY 子查询'中的未知列 'guaranteed_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 子句中使用假列?

4

7 回答 7

485

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

标准 SQL 不允许您在 WHERE 子句中引用列别名。施加此限制是因为在执行 WHERE 代码时,可能尚未确定列值。

复制自MySQL 文档

正如评论中所指出的,使用 HAVING 代替可能会完成这项工作。确保也阅读这个问题:WHERE vs HAVING

于 2009-06-03T00:38:20.100 回答
24

正如维克多所指出的,问题出在别名上。但是,可以通过将表达式直接放入 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'
 )
)

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

于 2009-06-03T00:47:09.910 回答
21

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

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

(来自MySQL 文档)。您可以做的是计算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'
 )
)

这样可以避免在表达式变得复杂时重复表达式,从而使代码更易于维护。

于 2012-07-27T10:14:13.480 回答
19

也许我的回答为时已晚,但这可以帮助其他人。

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

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

calcAlias 是计算的别名列。

于 2014-08-29T13:03:31.077 回答
8

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

于 2015-04-14T09:40:48.647 回答
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'
 )
)
于 2012-09-07T14:39:00.633 回答
1

您可以将 SUBSTRING( locations. raw,-6,4) 用于 where 条件

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'
)
)
于 2018-03-21T10:02:21.927 回答