- 같은 데이터를 다른 뷰로 나타낼 수 있으므로 같은 데이터에 대해 동시에 여러 사용자의 다른 응용프로그램 요구를 지원해줌.
2. 단순 뷰와 복합 뷰
특징
단순 뷰
복합 뷰
테이블 수
하나
둘 이상
함수 포함
없음
있음
데이터 그룹 포함
없음
있음
뷰를 통한 DML
있음
없음
*뷰에 관한 정보
SELECT*FROM USER_VIEWS;
뷰 생성, 데이터 검색, 수정, 삭제
1. 뷰 생성 권한
select*from user_role_privs; --현재 사용자의 롤
select*from user_sys_privs; -- 현재 사용자에게 주어진 권한
2. 뷰 생성
- CREATE VIEW 문장 내에서 서브쿼리 작성
- 서브쿼리는 조인 구문 포함 가능
- CREATE VIEW 절에서 열 별칭은 서브쿼리에서의 열과 같은 순서로 나열됨.
CREATE [OR REPLACE]
[FORCE | NOFORCE]
VIEW view_name[(alias[, alias ...])]
AS subquery
[WITHCHECK OPTION [CONSTRAINT constraint_name]]
[WITH READ ONLY]
1) 뷰 생성
createview emp_view_dept60
asselect employee_id, first_name, last_name, job_id, salary
from employees
where department_id=60;
select*from emp_view_dept60;
2) 뷰 생성 서브쿼리에서 별칭 사용
createview emp_dept60_salary
asselect
employee_id as empno,
first_name ||' '|| last_name as anme,
salary as monthly_salary
from employees
where department_id=60;
createview emp_dept60_salary (empno, name, monthly_salary)
asselect
employee_id,
first_name ||' '|| last_name,
salary
from employees
where department_id=60;
select*from emp_dept60_salary;
3. 뷰 질의
select*from user_views;
4. 뷰 수정
- CREATE OR REPLACE VIEW 절을 사용하여 뷰를 수정
- ALTER 사용X
CREATEOR REPLACE VIEW veiw_name...
createor replace view emp_dept60_salary
asselect
employee_id as empno,
first_name||' '||last_name as name,
job_id job,
salary
from employees
where department_id=60;
desc emp_dept60_salary;
5. 복합 뷰 생성
- 두 개 이상 테이블로부터 값을 출력하는 뷰를 생성
createview emp_view
asselect
e.employee_id as id,
e.first_name as name,
d.department_name as department,
j.job_title as job
from employees e
leftjoin departments d on e.department_id=d.department_id
join jobs j on e.job_id=j.job_id;
select*from emp_view;
6. 뷰 삭제
- 뷰는 데이터베이스에서 기본 테이블을 기반으로 하므로 데이터 손실 없이 삭제 가능
DROPVIEW view_name;
뷰를 이용한 DML 연산
1. 뷰에서 DML 연산 실행 규칙
- 단순 뷰에서 DML 연산 수행가능
- 뷰가 다음을 포함한다면 행 제거 불가능(그룹함수, GROUP BY, DISTINCT)
- 뷰가 다음을 포함한다면 데이터 수정 불가능(행제거불가표현, 표현식, ROWNUM)
- 뷰가 다음을 포함한다면 데이터 추가 불가능(행제거불가조건, 수정불가조건, NOTNULL)
createtable emps asselect*from employees;
1) 데이터 조작이 가능한 경우
- 단순 뷰에서 DML 연산수행 가능
createor replace view emp_dept60
asselect*from emps where department_id=60;
deletefrom emp_dept60 where employee_id=104;
select*from emps where employee_id=104;
2) 행 제거가 안 되는 경우
createor replace view emp_dept60
asselectdistinct*from emps where department_id=60;
deletefrom emp_dept60 where employee_id=60;
3) 데이터 수정이 안 되는 경우
createor replace view emp_dept60
asselect
employee_id,
first_name||' '||last_name as name,
salary*12as annual_Salary
from emps where department_id=60;
update emp_dept60 set annual_salary=annual_salary*1.1where employee_id=106;
4) 데이터 입력이 안 되는 경우
createor replace view emp_dept60
asselect
employee_id,
first_name,
last_name,
email,
salary
from emps where department_id=60;
insertinto demp_dept60
values(500,'JinKyoung','Heo', 'HEOJK',8000);
2. WITH CHECK POINT
- 뷰에 대한 DML연산이 뷰의 조건을 만족할 때만 수행하게 함
createor replace view emp_dept60
asselect employee_id, first_name, hire_Date, salary, department_id
from emps
where department_id=60withcheck option;
update emp_dept60
set department_id=10where employee_id=105;
3. WITH READ ONLY
- DML 연산을 수행할 수 없게 함
- DML 수행 시 에러 발생
createor replace view emp_dept60
asselect employee_id, first_name, hire_Date, salary, department_id
from emps
where department_id=60with read only;
deletefrom emp_dept60
where employee_id=105;
인라인 뷰(Inline View)
- SQL 구문에서 사용 가능한 별칭(상관 이름)을 사용하는 서브 쿼리
- 기본질의의 FROM 절에 명명된 서브쿼리를 사용하는 것과 유사
- 객체가 아님.
select row_number, first_name, salary
from ( select first_name,salary,
row_number() over(orderby salary desc) as row_number
from employees)
where row_number between1and10;
update emps
set(job_id, salary, manager_id) =
(select job_id, salary, manager_id
from emps
where employee_id =108)
where employee_id=109;
DELETE
DELETE [FROM] table
[WHEREcondition];
1. 행 삭제
deletefrom emps
where employee_id =104;
deletefrom emps
where emplyee_id=103;
-- 104번 사원의 매니저는 103이므로 제약조건때문에 삭제되지 않음.
2. 다른 테이블을 이용한 행 삭제
createtable depts asselect*from departments;
deletefrom emps
where department_id=
(select department_id
from depts
where department_name='Shipping');
--45개 행 이(가) 삭제되었습니다.
3. RETURNING
- DML 조작 시 특정 값을 임시로 저장할 수 잇음
- Oracle 10g에 추가
variable emp_name varchar2(50);
variable emp_sal number;
variable;
delete emps
where employee_id=109
returning first_name, salary into :emp_name, :emp_sal;
select*from emps where employee_id=109;
print emp_name;
print emp_sal;
MERGE
- INSERT 문과 UPDATE 문을 동시에 사용할 수 있습니다.
- Oracle 9i에 추가되었습니다.
MERGEINTOtable[alias]
USING (target |view| subquery) [alias]
ON(join_condition)
WHEN MATCHED THEN
UPDATE SET col1=val1
WHENNOT MATCHED THENINSERT(column_lists) VALUES(value_lists);
createtable emps_it asselect*from employees where1=2;
mergeinto emps_it a
using (select*from employees where job_id='IT_PROG') b
on (a.employee_id = b.employee_id)
when matched then
update set
a.phone_number =b.phone_number,
a.hire_date=hire_date,
a.job_id = b.job_id,
a.salary=b.salary,
a.commission_pct = b.commission_pct,
a.manager_id = b.manager_id,
a.department_id = b.department_id
whennot matched theninsertvalues
(b.employee_id, b.first_name, b.last_name, b.email,
b.phone_number, b.hire_date, b.job_id, b.salary,
b.commission_pct, b.manager_id, b.department_id);
createtable emp_sal5000 asselect employee_id, first_name, salary from employees where1=2;
createtable emp_sa10000 asselect employee_id, first_name, salary from employees where1=2;
createtable emp_sal15000 asselect employee_id, first_name, salary from employees where1=2;
createtable emp_sal20000 asselect employee_id, first_name, salary from employees where1=2;
createtable emp_sal25000 asselect employee_id, first_name, salary from employees where1=2;
insertfirstwhen salary <=5000theninto emp_sal5000 values(employee_id, first_name, salary)
when salary <=10000theninto emp_sal10000 values(employee_id, first_name, salary)
when salary <=15000theninto emp_sal15000 values(employee_id, first_name, salary)
when salary <=20000theninto emp_sal20000 values(employee_id, first_name, salary)
when salary <=25000theninto emp_sal25000 values(employee_id, first_name, salary)
select employee_id, first_name, salary from employees;
--109개 행 이(가) 삽입되었습니다.
selectcount(*) from emp_sal5000; --49selectcount(*) from emp_sal10000; --45selectcount(*) from emp_sal15000; --12selectcount(*) from emp_sal20000; --2selectcount(*) from emp_sal25000; --1
4. PIVOTING INSERT
- 여러개의 into절을 사용하지만 그 뒤에 오는 테이블은 모두 동일
- 비관계형DB를 관계형DB로 바꿀 때 사용
insertallinto sales_log
values(employee_id, week_id, 'SALES_MON', sales_mon)
into sales_log
values(employee_id, week_id, 'SALES_TUE', sales_tue)
into sales_log
values(employee_id, week_id, 'SALES_WED', sales_wed)
into sales_log
values(employee_id, week_id, 'SALES_THU', sales_thu)
into sales_log
values(employee_id, week_id, 'SALES_FRI', sales_fri)
select employee_id, week_id, sales_mon, sales_tue, sales_wed, sales_thu, sales_fri
from sales;
--10개 행 이(가) 삽입되었습니다.
select first_name, salary
from employees
where salary > (select salary from employees where first_name='Nancy');
단일행 서브쿼리
- 내부 select 문장으로부터 하나의 행을 반환하는 질의
연산자
설명
=
같다
>
보다 크다
>=
보다 크거나 같다
<
작다
<=
작거나 같다
<>, !=
같지 않다
select first_name, job_id, hire_date
from employees
where job_id = (select job_id from employees where employee_id=103);
다중행 서브쿼리
- 서브쿼리의 결과가 2개 행 이상일 경우
연산자
설명
IN
목록의 어떤 값과 같은지 확인
EXISTS
값이 있는지 확인. + 서브쿼리만 가능
ANY, SOME
비교 연산자. 하나만 만족
ALL
비교 연산자. 모든 값과 비교해서 만족
ALL / ANY 차이점
< ANY : 가장 큰 값보다 작으면 됨 > ANY : 가장 작은 값보다 크면 됨 < ALL : 가장 작은 값보다 작으면 됨 > ALL : 가장 큰 값보다 크면 됨 = ANY : IN과 같은 역할
select first_name, salary
from employees
where salary > (select salary from employees where first_name='David');
ORA-01427: single-row subquery returns more than onerow01427.00000- "single-row subquery returns more than one row"
*Cause:
*Action
select first_name, salary
from employees
where salary >any (select salary from employees where first_name='David');
select first_name, department_id, job_id
from employees
where department_id in (select department_id
from employees
where first_name ='David');
--in(60,80)과 같음
상호연관 서브쿼리
- 한 개의 행을 비교할 때마다 결과가 메인쿼리로 반환됨
- 한 행을 처리할 때마다 서브쿼리로 주고 값을 처리한 후 결과를 다시 메인쿼리로 전달=> 성능 저하
- 메인쿼리와 서브쿼리 사이에 결과를 교한하기 위해 서브쿼리의 where 조건절에서 메인쿼리 테이블과 연결
select first_name, salary
from employees a
where salary > (selectavg(salary)
from employees b
where b.department_id = a.department_id);
스칼라 서브쿼리
- SELECT 절에 사용하는 서브쿼리
select first_name, (select department_name from departments d where d.department_id = e.department_id) department_name
from employees e
orderby first_name;
select first_name, department_name
from employees e
join departments d on (e.department_id = d.department_id)
orderby first_name;
인라인 뷰
- FROM절에 서브쿼리가 온 것
select row_number, first_name, salary
from (select first_name, salary,
row_number() over(orderby salary desc) as row_number
from employees)
where row_number between1and10;
3중 쿼리와 Top-N 쿼리
- 서브쿼리 안에 또 다른 서브쿼리를 갖는 것
select rownum, first_name, salary
from (select first_name, salary from employees
orderby salary desc)
where rownum between1and10;
계층형 쿼리
- 수직적 관게를 맺고 있는 행들의 계층형 정보를 조회할 때 사용
SELECT select_list
FROMtableWHERE conditions
STARTWITH top_level_cindition
CONNECTBY [NOCYCLE] [PRIOR] connect_condition
ORDER SIBLING BY order_condition;
SELECT table1.column, table2.column
FROM table1, table2
WHERE table1.column1 = table2.column;
1. CARTESIAN PRODUCT
- 조인 조건이 생략된 경우
- 조인 조건이 잘못된 경우
- 첫 번째 테이블의 모든 행이 두 번째 테이블의 모든 행과 조인되는 경우
SELECT table1.col, table2.col
FROM table1, table2;
--카티션프로덕트발생(조인 조건이 없기 때문)
2. EQUI JOIN
- 2개 이상의 테이블이 공통된 열에 의해 논리적 결합하는 조인 기법
- WHERE 절에 사용된 열들이 동등연산자(=) 에 의해 비교
select e.first_name, e.department_id, d.department_name
from employees e, departments d
where e.department_id = d.department_id;
3. SELF JOIN
- 자체적 테이블 조인
select e.first_name, m.first_name
from employees e, employees m
where e.manager_id = m. employee_id and e.employee_id=103;
4. NON-EQUI JOIN
- equal 연산자(=)로 조인하지 않음
select e.first_name, e.salary, j.job_title
from employees e, jobs j
where e.salary
between j.min_salary and j.max_salary
orderby e.first_name;
5. OUTER JOIN
- 조인 조건을 만족하지 않는 행들도 보기 위해서 Outer 조인을 사용함
- Outer 조인 연산자는 더하기 기호(+) 임.
SELECT table.column, table.column
FROM table1, table2
WHERE table1.column(+) = table2.column;
SELECT table.column, table.column
FROM table1, table2
WHERE table1.column = table2.column(+);
select e.employee_id, e.first_name, e.hire_date,
j.start_date, j.end_date, j.job_id, j.department_id
from employees e, job_history j
where e.employee_id = j.employee_id
orderby j.employee_id;
안시 조인
- 오라클 9i 버전부터 ANSI SQL 표준 문법 사용이 가능
- 조인의 형태가 FROM절에서 지정되며, 조인 조건이 ON 절 또는 USING 절에 표시
SELECT t1.col, t2, col
FROM t1
[LEFT|RIGHT|FULL][OUTER] JOIN t2
ON jooin_conditions
[WHERE conditions];
1. CROSS JOIN
- 두 개의 테이블에 대한 Cartesian Product와 같은 결과 출력
SELECT table1.column1, table2.column2
FROM table1
CROSSJOIN table2;
select employee_id, department_name
from employees
crossjoin departments;
2. NATURAL JOIN
- 모든 같은 이름을 갖는 열들에 대해 조인
- 지정해주지 않아도 자동으로 같은 이름가진 열에 대해 Equi조인을 수행한다.
SELECT table1.column1, table2.column2
FROM table1
NATURALJOIN talbe2;
select first_name, job_title
from employees
naturaljoin jobs;
3. USING JOIN
- using 절을 이용하여 원하는 열에 대해서만 선택적으로 Equi 조인을 할 수 있음.
SELET table1.column1, table2.column2
FROM table1
JOIN table2
USING (column);
select first_name, department_name
from employees
join departments
using (department_id);
4. ON JOIN
- on을 이용해 where에 들어갈 조인 조건을 적을 수 있음
SELECT table1.column1, table2.column2
FROM table1
JOIN table2
ON join_condition;
select department_name, street_Address, city, state_province
from departments d
join locations l
on d.location_id = l.location_id;
1) 여러 테이블의 조인
select e.first_name, d.department_name,
l.street_address ||', '|| l.city ||', '||
l.state_province as address
from employees e
join departments d on e.department_id = d.department_id
join locations l on d.location_id = l.location_id;
2) WHERE 절과의 혼용
select e.first_name as name,
d.department_name as department
from employees e
join departments d
on e.department_id = d.department_id
where employee_id =103;
select e.first_name, d.department_name,
l.street_address ||', '|| l.city ||', '||
l.state_province as address
from employees e
join departments d on e.department_id = d.department_id
join locations l on d.location_id = l.location_id
where employee_id=103;
3) ON절에 WHERE절의 조건 추가
select e.first_name as name,
d.department_name as department
from employees e
join departments d
on e.department_id = d.department_id and employee_id =103;
select e.first_name, d.department_name,
l.street_address ||', '|| l.city ||', '||
l.state_province as address
from employees e
join departments d on e.department_id = d.department_id
join locations l on d.location_id = l.location_id and employee_id=103;
5. OUTER JOIN
SELECT table1.column, table2.column
FROM table1
[LEFT|RIGHT|FULL][OUTER]JOIN table2
ON join_conditions
select e.employee_id, e.first_name, e.hire_date,
j.start_date, j.end_date, j.job_id, j.department_id
from employees e
leftouterjoin job_history j
on e.employee_id = j.employee_id
orderby e.employee_id;
1) LEFT OUTER JOIN
- 왼쪽의 테이블이 기준
select department_name, first_name
from departments d
leftjoin employees e
on d.manager_id = e.employee_id;
2) RIGHT OUTER JOIN
- 오른쪽 테이블이 기준
select department_name, first_name
from employees e
rightjoin departments d
on d.manager_id = e.employee_id;
selectavg(salary),sum(salary),min(salary),max(salary)
from employees
where job_id like'SA%';
selectmin(hire_date), max(hire_date)
from employees;
-- 날짜로 min,max가능selectmin(first_name), max(last_name)
from employees;
selectmax(salary)
from employees;
2. COUNT
count(*)
count(expr)
selectcount(*) from employees;
selectcount(commission_pct) from employees;
3. STDDEV, VARIANCE
selectsum(salary) as 합계,
round(avg(salary),2) as 평균,
round(stddev(salary),2) as 표준편차,
round(variance(salary),2) as 분산
from employees;
4. 그룹 함수와 NULL 값
- count(*)를 제외한 모든 그룹 함수는 열에 있는 NULL값을 연산에서 제외
select
round(sum(salary*commission_pct),2) as sum_bonus,
count(*) count,
round(avg(salary*commission_pct),2) as avg_bonus1,
round(sum(salary*commission_pct)/count(*),2) as avg_bonus2
from employees;
selectavg(nvl(salary*commission_pct,0))
from employees;
- ROLLUP, CUBE, GROUPING SETS 등 GROUP BY 확장 연산으로 소계의 일부로 생성된 null값일 경우 1을 반환
- 저장된 null값이거나 다른 값일 경우 0 반환
select
decode(grouping(department_id), 1, '소계',
to_Char(department_id)) as 부서,
decode(grouping(job_id),1,'소계',job_id) as 직무,
round(avg(salary),2) as 평균,
count(*) as 사원의수
from employees
groupbycube(department_id, job_id)
orderby 부서, 직무;
GROUPING_ID
- GROUPING_ID는 행과 연관된 GROUPING 비트 벡터에 해당하는 숫자를 반환
- GROUPING_ID를 사용하면 그룹화 수준 식별 가능
GROUPING_ID(column, column2,...)
select
decode(grouping_id(department_id, job_id),
2, '소계', 3, '합계',
to_char(department_id)) as 부서번호,
decode(grouping_id(department_id, job_id),
1,'소계',3,'합계',
job_id) as 직무,
grouping_id(department_id, job_id) as gid,
round(avg(salary),2) as 평균,
count(*) as 사원수
from employees
groupbycube(department_id, job_id)
orderby 부서번호, 직무;