7. WHERE 子句紧随 FROM 子句8. 查询 last_name 为 'King' 的员工信息错误1: King 没有加上 单引号select first_name, last_name
from employees
where last_name = King错误2: 在单引号中的值区分大小写select first_name, last_name
from employees
where last_name = 'king'正确select first_name, last_name
from employees
where last_name = 'King'9. 查询 1998-4-24 来公司的员工有哪些?注意: 日期必须要放在单引号中, 且必须是指定的格式select last_name, hire_date
from employees
where hire_date = '24-4月-1998'10. 查询工资在 5000 -- 10000 之间的员工信息.1). 使用 ANDselect *from employeeswhere salary >= 5000 and salary <= 100002). 使用 BETWEEN .. AND .., 注意: 包含边界!!select *from employeeswhere salary between 5000 and 1000011. 查询工资等于 6000, 7000, 8000, 9000, 10000 的员工信息1). 使用 ORselect *from employeeswhere salary = 6000 or salary = 7000 or salary = 8000 or salary = 9000 or salary = 100002). 使用 INselect *from employeeswhere salary in (6000, 7000, 8000, 9000, 10000)12. 查询 LAST_NAME 中有 'o' 字符的所有员工信息.select *from employeeswhere last_name like '%o%'13. 查询 LAST_NAME 中第二个字符是 'o' 的所有员工信息.select *from employeeswhere last_name like '_o%'14. 查询 LAST_NAME 中含有 '_' 字符的所有员工信息1). 准备工作:update employeesset last_name = 'Jones_Tom'where employee_id = 1952). 使用 escape 说明转义字符.select *from employeeswhere last_name like '%\_%' escape '\'15. 查询 COMMISSION_PCT 字段为空的所有员工信息select last_name, commission_pctfrom employeeswhere commission_pct is null16. 查询 COMMISSION_PCT 字段不为空的所有员工信息select last_name, commission_pctfrom employeeswhere commission_pct is not null17. ORDER BY:1). 若查询中有表达式运算, 一般使用别名排序2). 按多个列排序: 先按第一列排序, 若第一列中有相同的, 再按第二列排序. 格式: ORDER BY 一级排序列 ASC/DESC,二级排序列 ASC/DESC;
1. 查询工资大于12000的员工姓名和工资
a) select last_name,salary
b) from employees
c) where salary > 12000
2. 查询员工号为176的员工的姓名和部门号
a) select last_name,department_id
b) from employees
c) where employee_id = 176
3. 选择工资不在5000到12000的员工的姓名和工资
a) select last_name,salary
b) from employees
c) --where salary < 5000 or salary > 12000
d) where salary not between 5000 and 12000
4. 选择雇用时间在1998-02-01到1998-05-01之间的员工姓名,job_id和雇用时间
a) select last_name,job_id,hire_date
b) from employees
c) --where hire_date between '1-2月-1998' and '1-5月-1998'
d) where to_char(hire_date,'yyyy-mm-dd') between '1998-02-01' and '1998-05-01'
5. 选择在20或50号部门工作的员工姓名和部门号
a) select last_name,department_id
b) from employees
c) where department_id = 20 or department_id = 50
d) --where department_id in (20,50)
6. 选择在1994年雇用的员工的姓名和雇用时间
a) select last_name,hire_date
b) from employees
c) --where hire_date like '%94'
d) where to_char(hire_date,'yyyy') = '1994'
7. 选择公司中没有管理者的员工姓名及job_id
a) select last_name,job_id
b) from employees
c) where manager_id is null
8. 选择公司中有奖金的员工姓名,工资和奖金级别
a) select last_name,salary,commission_pct
b) from employees
c) where commission_pct is not null
9. 选择员工姓名的第三个字母是a的员工姓名
a) select last_name
b) from employees
c) where last_name like '__a%'
10. 选择姓名中有字母a和e的员工姓名
a) select last_name
b) from employees
c) where last_name like '%a%e%' or last_name like '%e%a%'