我们通过前面几篇文章熟悉了表的创建修改删除、表的数据的新增修改删除,本文将着重阐述如何进行表中数据的查询。
1 系统、环境和前提约束
- win10 64
- oracle 11g https://www.jianshu.com/p/1609289f4c5f
2 操作
-
以系统管理员启动cmd命令行
- 执行以下命令
# 在windows命令行下连接scott
sqlplus scott/tiger
# 以emp表为基础,拷贝一份完全一样的表【表结构和表数据都一样】
create table t_emp as select * from emp;
# 查看一下表的属性
desc t_emp;
# 查询出t_emp表的所有记录
select * from t_emp ;
# 查询出t_emp表的empno,ename
select empno,ename from t_emp ;
# 查询出t_emp表的empno,ename并起一个别名
select empno 雇员编号, ename 雇员姓名 from t_emp ;
# 查询出t_emp 中雇员id为7369和7788的员工信息
select * from t_emp where empno=7369 or empno=7788;
或者
select * from t_emp where empno in (7369, 7788);
或者
select * from t_emp where empno= any(7369, 7788);
# 查询工资大于3000的员工信息
select * from t_emp where sal>=3000;
# 查询工资介于3000 到4000之间的员工信息
select * from t_emp where sal>=3000 and sal <=5000;
或者
select * from t_emp where sal between 3000 and 5000;
# 查询公司不等于5000的员工信息
select * from t_emp where sal!=5000;
或者
select * from t_emp where sal<>5000;
或者
select * from t_emp where sal not in (5000);
或者
select * from t_emp where sal != all(5000);
以上就是表中数据的查询。