1、SELECT语句的 关于原字段的表达式 生成新字段,或者将字符串newvalue 赋给 新字段newcol
select col1*2 as newcol1, 'newvalue' as newcol from tablea
2、使用计算字段生成新字段,比如一些聚合函数、窗口函数、或者字段之间的计算
select count(*) as totalsum from tablea
3、使用CASE WHEN表达式生成新字段,
case when income < 20000 then 'Low Salary'
when income >= 20000 and income <= 50000 then 'Average Salary'
else 'High Salary'
end as category
如果生成的新的分类字段,此时按该字段进行分组计数,如果数据表没有High Salary的数据,此时分类结果表就不会出现High Salary这个类别
比如LEECODE1907题
表: Accounts
+-------------+------+
| 列名 | 类型 |
+-------------+------+
| account_id | int |
| income | int |
+-------------+------+
account_id 是这个表的主键。
每一行都包含一个银行帐户的月收入的信息。
写出一个 SQL 查询,来报告每个工资类别的银行账户数量。 工资类别如下:
"Low Salary":所有工资 严格低于 20000 美元。
"Average Salary": 包含 范围内的所有工资 [$20000, $50000] 。
"High Salary":所有工资 严格大于 50000 美元。
结果表 必须 包含所有三个类别。 如果某个类别中没有帐户,则报告 0 。
按 任意顺序 返回结果表。
查询结果格式如下示例。
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/count-salary-categories
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
要想显示所有类别的记录数,对没有记录的类别的记录数显示为0,可以使用UNION
select 'Low Salary' as category,count(account_id) as accounts_count
from Accounts
where income < 20000
union
select 'Average Salary' as category,count(account_id) as accounts_count
from Accounts
where income between 20000 and 50000
union
select 'High Salary' as category,count(account_id) as accounts_count
from Accounts
where income > 50000