728x90
1. 고객과 고객의 주문에 관한 데이터를 모두 보이시오
SELECT *
FROM Customer, Orders
WHERE Customer.custid = Orders.custid;
+ 만약 SELECT 뒤에 * 대신 KEY값을 직접 입력해서 특정 데이터를 뽑아내려 할 때
WHERE로 묶어 둔 custid를 쓰고싶다면 묶인 테이블의 둘 중 한 군데를 골라
ex) Customer.custid / Orders.custid 와 같이 써주면 된다
SELECT Customer.custid, name, bookid, saleprice
FROM Customer, Orders
WHERE Customer.custid = Orders.custid;
++ from 절에서 변수를 선언하듯이 해서 긴 테이블의 이름을 줄여 출력할 수도 있다
Customer이 a로, Orders가 b로 적용된 예제(결과는 위 사진과 같다)
SELECT a.custid, a.name, b.bookid, b.saleprice
FROM Customer a, Orders b
WHERE a.custid = b.custid;
2. 고객과 고객의 주문에 관한 데이터를 고객번호 순으로 정렬하여 보이시오
(고객번호, 고객명, 도서번호, 구매금액 출력)
SELECT a.custid, a.name, b.bookid, b.saleprice
FROM Customer a, Orders b
WHERE a.custid = b.custid
ORDER BY a.custid DESC;
위에 썼던 구조를 이용하여 custid를 정렬하는 문장까지 쓰면 깔끔하게 정렬된 결과가 나온다
3. 고객의 이름과 고객이 주문한 도서의 판매가격을 검색하시오
SELECT a.name, b.saleprice
FROM Customer a, Orders b
WHERE a.custid = b.custid;
추가문제. 고객별로 주문한 모든 도서의 총 판매액을 구하고, 고객별로 정렬하시오
SELECT a.custid, a.name, SUM(b.saleprice)
FROM Customer a, Orders b
GROUP BY a.custid
ORDER BY a.custid DESC;
4. (고객번호, 고객명)별로 주문한 모든 도서의 총 판매액을 구하고, 고객번호별로 정렬하시오
SELECT a.custid, a.name, SUM(b.saleprice) AS cust_tot
FROM Customer a, Orders b
WHERE a.custid = b.custid
GROUP BY a.custid, a.name
ORDER BY a.custid;
굉장히 복잡한 듯 하지만 위에 사용했던 문장들을 잘 조합하여 만들어둔 것이다
5. 가격(book, price)이 20,000원인 도서를 주문한 고객(Orders)의 이름(customer)과 도서의 이름(book)을 구하시오
SELECT a.name AS custname, c.bookname, c.price
FROM Customer a, Orders b, Book c
WHERE a.custid = b.custid
AND b.bookid = c.bookid
AND c.price = 20000;
6. 도서를 구매하지 않은 고객의 포함(Customer - Outer Join)하여
고객의 이름(Customer)과 고객이 주문한 도서의 판매가격(Orders)을 구하시오
SELECT a.custid, a.name, b.saleprice
FROM Customer a LEFT OUTER JOIN Orders b
ON a.custid = b.custid;
생소한 OUTER JOIN이다. 하지만 중요한 개념이므로 알아두면 될 것 같다
SELECT b.custid, b.name, a.saleprice
FROM Orders a RIGHT OUTER JOIN Customer b
ON a.custid = b.custid;
이렇게 위치가 바뀔 경우 LEFT 대신 RIGHT로 써서 작성할 수 있다
728x90
'Development Study > Backend' 카테고리의 다른 글
[SQL] 실습 정리(SUB_QUARY, UPDATE) (0) | 2022.11.19 |
---|---|
[SQL] 실습 정리(+JOIN, OUTER_JOIN, CASE, SUBQUARY) (0) | 2022.11.12 |
[SQL] 연습 문제 ( GROUP BY ~ CREATE ) (0) | 2022.10.20 |
[SQL] 데이터분석의 농경지, CREATE TABLE (0) | 2022.10.20 |
[SQL] 데이터분석의 꽃, GROUP BY(~HAVING, DESC) (0) | 2022.10.20 |