SlideShare a Scribd company logo
Lecture 8:
Advanced SQL
ISOM3260, Spring 2014
2
Where we are now
• Database environment
– Introduction to database
• Database development process
– steps to develop a database
• Conceptual data modeling
– entity-relationship (ER) diagram; enhanced ER
• Logical database design
– transforming ER diagram into relations; normalization
• Physical database design
– technical specifications of the database
• Database implementation
– Structured Query Language (SQL), Advanced SQL
• Advanced topics
– data and database administration
3
Database development activities during SDLC
4
Advanced SQL
• Joins
• Subqueries
• Ensuring Transaction Integrity
5
Processing Multiple Tables – Joins
• Join
– a relational operation that causes two or more tables with a common domain
to be combined into a single table or view
– the common columns in joined tables are usually the primary key of the
dominant table and the foreign key of the dependent table
• Equi-join
– a join in which the joining condition is based on equality between values in
the common columns; common columns appear redundantly in the result
table
• Natural join
– an equi-join in which one of the duplicate columns is eliminated in the result
table
• Outer join
– a join in which rows that do not have matching values in common columns
are nevertheless included in the result table (as opposed to inner join, in
which rows must have matching values in order to appear in the result table)
• Union join
– includes all columns from each table in the join, and an instance for each row
of each table
6
Figure 7-1: Sample Pine Valley Furniture data
Customer_T Order_T
Order_Line_T
Product_T
7
Example: Equi-join
• based on equality between values in the common columns
If WHERE clause is omitted, the query will return all combinations of customers
and orders (10 orders * 15 customers=150 rows).
8
• same as equi-join except that one of the duplicate columns is
eliminated in the result table
• most commonly used form of join operation
• For each customer who has placed an order, what is the customer’s
name and order number?
SELECT Customer_T.Customer_ID, Customer_Name, Order_ID
FROM Customer_T, Order_T
WHERE Customer_T.Customer_ID = Order_T.Customer_ID
Join involves multiple tables in
FROM clause
Example: Natural Join
WHERE clause performs the equality check
for common columns of the two tables
It must be specified from which table the
DBMS should pick Customer_ID
9
• Different syntax with same outcome
SELECT Customer_T.Customer_ID,Customer_Name,Order_ID
FROM Customer_T INNER JOIN Order_T
ON Customer_T.Customer_ID = Order_T.Customer_ID;
SELECT Customer_T.Customer_ID,Customer_Name,Order_ID
FROM Customer_T NATURAL JOIN Order_T
ON Customer_T.Customer_ID = Order_T.Customer_ID;
Example: Natural Join
10
• row in one table does not have a matching row in the other table
• null values appear in columns where there is no match between tables
• List customer name, ID number, and order number for all customers.
Include customer information even for customers that do not have an
order.
SELECT Customer_T.Customer_ID, Customer_Name, Order_ID
FROM Customer_T LEFT OUTER JOIN Order_T
ON Customer_T.Customer_ID = Order_T.Customer_ID;
Example: Outer Join
LEFT OUTER JOIN syntax will cause customer data
to appear even if there is no corresponding order data
11
Example: Outer Join
12
• The results table will contain all of the columns from each table and
will contain an instance for each row of data included from each table.
• Example:
– Customer_T has 15 customers and 6 attributes
– Order_T has 10 orders and 3 attributes
• Result Table
– 25 rows and 9 columns
– each customer row will contain 3 attributes with assigned null values
– each order row will contain 6 attributes with assigned null values
Example: Union Join
13
• Query: Assemble all information necessary to create an
invoice for order number 1006.
SELECT Customer_T.Customer_ID, Customer_Name, Customer_Address,
City, State, Postal_Code, Order_T.Order_ID, Order_Date, Quantity,
Product_Name, Unit_Price, (Quantity * Unit_Prrice)
FROM Customer_T, Order_T, Order_Line_T, Product_T
WHERE Customer_T.Customer_ID = Order_T.Customer_ID
AND Order_T.Order_ID = Order_Line_T.Order_ID
AND Order_Line_T.Product_ID = Product_T.Product_ID
AND Order_T.Order_ID = 1006;
Four tables involved in this join
Example: Multiple Join of Four Tables
Each pair of tables requires an equality-check
condition in the WHERE clause, matching
primary keys against foreign keys
14
From CUSTOMER_T table
From
ORDER_T table
From PRODUCT_T table
From
ORDER_LINE_T table
Expression
Figure 7-4: Results from a four-table join
15
Subqueries
• Subquery
– placing an inner query (SELECT statement) inside an outer
query
– result table display data from the table in the outer query only
• Options:
– In a condition of the WHERE clause
– As a “table” of the FROM clause
– Within the HAVING clause
• Subqueries can be:
– Noncorrelated
 execute inner query once for the entire outer query
– Correlated
 execute inner query once for each row returned by the outer query
16
Example 1: Subqueries
• Two equivalent queries
– one using a join
– one using a subquery
17
• Which customers have placed orders?
SELECT Customer_Name
FROM Customer_T
WHERE Customer_ID IN
(SELECT DISTINCT Customer_ID FROM Order_T);
Example 2: Subquery
Subquery is embedded in parentheses. In this case it returns a
list that will be used in the WHERE clause of the outer query
The IN operator will test to see
if the Customer_ID value of a
row is included in the list
returned from the subquery
18
Figure 7-8(a):
Processing a
noncorrelated
subquery
No reference to data
in outer query, so
subquery executes
once only
19
Example 3: Subquery
• The qualifier NOT may be used in front of IN; while ANY and
ALL with logical operators such as =, >, and <.
A join can be used
in an inner query
Note: Inner query return list of customers who had ordered computer desk.
Outer query list customers who were not in the list returned by inner query.
20
Correlated vs. Noncorrelated
Subqueries
• Noncorrelated subqueries
– do not depend on data from the outer query
– execute once for the entire outer query
• Correlated subqueries
– do make use of data from the outer query
– execute once for each row of the outer query
– can make use of the EXISTS operator
21
• What are the order numbers that include furniture finished
in natural ash?
SELECT DISTINCT Order_ID FROM Order_Line_T
WHERE EXISTS
(SELECT * FROM Product_T
WHERE Product_ID = Order_Line_T.Product_ID
AND Product_Finish = ‘Natural Ash’);
Example 4: Correlated Subquery
The subquery is testing for a value
that comes from the outer query .
The EXISTS operator will return a
TRUE value if the subquery resulted
in a non-empty set, otherwise it
returns a FALSE.
22
Figure 7-8(b):
Processing a
correlated
subquery
Subquery refers to outer-query data,
so executes once for each row
of outer query
ORDER_ID
1001
1002
1003
1006
1007
1008
1009
Result:
23
Example 5: Correlated Subqueries
24
• Which products have a standard price that is higher that the
average standard price?
SELECT Product_Description, Standard_Price, AVGPRICE
FROM
(SELECT AVG(Standard_Price) AVGPRICE FROM Product_T),
Product_T
WHERE Standard_Price > AVGPRICE;
Example 6: Subquery as Derived Table
The WHERE clause normally cannot include aggregate functions, but because the
aggregate is performed in the subquery, its result can be used in the outer query’s
WHERE clause
One column of the subquery is
an aggregate function that has an
alias name. That alias can then be
referred to in the outer query
Subquery forms the derived
table used in the FROM clause
of the outer query
25
Ensuring Transaction Integrity
• Transaction
– a discrete unit of work that must be completely processed or
not processed at all
– may involve multiple DML commands
 INSERT, DELETE, UPDATE
– if any command fails, then all other changes must be cancelled
• SQL commands for transactions
– BEGIN TRANSACTION/END TRANSACTION
 marks boundaries of a transaction
– COMMIT
 makes all changes permanent
– ROLLBACK
 cancels changes since the last COMMIT
26
Figure 7-12: An SQL Transaction sequence (in pseudocode)
27
Review Questions
• What are the 4 types of join?
• What are subqueries?
• What is a correlated subquery?
• What is a noncorrelated subquery?
• What is a transaction?

More Related Content

PPTX
basic structure of SQL FINAL.pptx
PPT
SQL subquery
PPTX
Types of keys dbms
PPTX
SQL Commands
PPTX
Normal forms
PPTX
SQL Functions
PPTX
ER MODEL
basic structure of SQL FINAL.pptx
SQL subquery
Types of keys dbms
SQL Commands
Normal forms
SQL Functions
ER MODEL

What's hot (20)

PPTX
String, string builder, string buffer
PPTX
SQL Queries Information
PDF
SQL Queries - DDL Commands
PPTX
5. stored procedure and functions
PPTX
Sql(structured query language)
PPTX
PPTX
Relational model
PPTX
Functional dependency
PPTX
Java basics and java variables
PPTX
Object oriented database concepts
PDF
SQL Joins and Query Optimization
PPTX
Nested queries in database
PDF
SQL Overview
PDF
Enumeration in Java Explained | Java Tutorial | Edureka
ODP
Ms sql-server
PPT
Sql dml & tcl 2
PPTX
Aggregate function
PPT
SQL Tutorial - Basic Commands
PPTX
Sql subquery
DOC
String, string builder, string buffer
SQL Queries Information
SQL Queries - DDL Commands
5. stored procedure and functions
Sql(structured query language)
Relational model
Functional dependency
Java basics and java variables
Object oriented database concepts
SQL Joins and Query Optimization
Nested queries in database
SQL Overview
Enumeration in Java Explained | Java Tutorial | Edureka
Ms sql-server
Sql dml & tcl 2
Aggregate function
SQL Tutorial - Basic Commands
Sql subquery
Ad

Viewers also liked (17)

PPT
Advanced Sql Training
PDF
Advanced SQL - Lecture 6 - Introduction to Databases (1007156ANR)
PPTX
SQL Basics
PPT
Sql ppt
PPTX
Hasil tes UKG sebagai cermin dari kualitas pendidikan guru di Indonesia
DOCX
Master of Computer Application (MCA) – Semester 4 MC0077
PPTX
PPTX
KG2 D 2013-2014 Learning Together
DOC
Revision sheet grade kg2
DOC
Revision sheet grade kg1
PDF
Oracle sql & plsql
PDF
My sql explain cheat sheet
PPTX
ORACLE PL SQL FOR BEGINNERS
PPTX
MS Sql Server: Advanced Query Concepts
PDF
GraphTalks Rome - The Italian Business Graph
PDF
Oracle/SQL For Beginners - DDL | DML | DCL | TCL - Quick Learning
PDF
Webinar: RDBMS to Graphs
Advanced Sql Training
Advanced SQL - Lecture 6 - Introduction to Databases (1007156ANR)
SQL Basics
Sql ppt
Hasil tes UKG sebagai cermin dari kualitas pendidikan guru di Indonesia
Master of Computer Application (MCA) – Semester 4 MC0077
KG2 D 2013-2014 Learning Together
Revision sheet grade kg2
Revision sheet grade kg1
Oracle sql & plsql
My sql explain cheat sheet
ORACLE PL SQL FOR BEGINNERS
MS Sql Server: Advanced Query Concepts
GraphTalks Rome - The Italian Business Graph
Oracle/SQL For Beginners - DDL | DML | DCL | TCL - Quick Learning
Webinar: RDBMS to Graphs
Ad

Similar to advanced sql(database) (20)

PPT
The Database Environment Chapter 8
PPT
Ms sql server ii
PDF
Sql wksht-6
PPT
Modern Database Management chapetr 8 Advance SQL.ppt
PPTX
More Complex SQL and Concurrency ControlModule 4.pptx
PPT
INTRODUCTION TO SQL QUERIES REALTED BRIEF
PDF
Presentation top tips for getting optimal sql execution
PPTX
Server Query Language – Getting Started.pptx
PPTX
PRESENTATION........................pptx
PDF
Database Architecture and Basic Concepts
PPTX
The Relational Database Model 2 univprsty
PPTX
SQL(database)
PPT
SQL200.2 Module 2
PPTX
Data Query Using Structured Query Language - WITH NOTES.pptx
PDF
Sql ch 5
PPT
Sql server T-sql basics ppt-3
PPTX
Aggregate functions in SQL.pptx
PPTX
Aggregate functions in SQL.pptx
PPT
SQL Inteoduction to SQL manipulating of data
PDF
Chapter 10 How to code subqueries.pdf for coding
The Database Environment Chapter 8
Ms sql server ii
Sql wksht-6
Modern Database Management chapetr 8 Advance SQL.ppt
More Complex SQL and Concurrency ControlModule 4.pptx
INTRODUCTION TO SQL QUERIES REALTED BRIEF
Presentation top tips for getting optimal sql execution
Server Query Language – Getting Started.pptx
PRESENTATION........................pptx
Database Architecture and Basic Concepts
The Relational Database Model 2 univprsty
SQL(database)
SQL200.2 Module 2
Data Query Using Structured Query Language - WITH NOTES.pptx
Sql ch 5
Sql server T-sql basics ppt-3
Aggregate functions in SQL.pptx
Aggregate functions in SQL.pptx
SQL Inteoduction to SQL manipulating of data
Chapter 10 How to code subqueries.pdf for coding

More from welcometofacebook (20)

DOCX
Quantitative exercise-toasty oven
PDF
EVC exercise-novel motor oil
PDF
jones blair calculations
PDF
EVC exercise-odi case
PDF
cltv calculation-calyx corolla
PDF
consumer behavior(4210)
PDF
competing in a global market(4210)
PDF
promotion strategies(4210)
PDF
pricing strategies(4210)
PDF
PDF
distribution strategies calyx and corolla(4210)
PDF
distribution strategies(4210)
PDF
the birth of swatch(4210)
PDF
product and brand strategies(4210)
PDF
stp case jones blair(4210)
PDF
PDF
situational analysis(4210)
PDF
quantitative analysis(4210)
PDF
overview of marketing strategy(4210)
PDF
Class+3+ +quantitative+analysis+exercise+answer+key
Quantitative exercise-toasty oven
EVC exercise-novel motor oil
jones blair calculations
EVC exercise-odi case
cltv calculation-calyx corolla
consumer behavior(4210)
competing in a global market(4210)
promotion strategies(4210)
pricing strategies(4210)
distribution strategies calyx and corolla(4210)
distribution strategies(4210)
the birth of swatch(4210)
product and brand strategies(4210)
stp case jones blair(4210)
situational analysis(4210)
quantitative analysis(4210)
overview of marketing strategy(4210)
Class+3+ +quantitative+analysis+exercise+answer+key

Recently uploaded (20)

PPTX
bas. eng. economics group 4 presentation 1.pptx
PDF
Operating System & Kernel Study Guide-1 - converted.pdf
PDF
July 2025 - Top 10 Read Articles in International Journal of Software Enginee...
PDF
SM_6th-Sem__Cse_Internet-of-Things.pdf IOT
PPTX
Foundation to blockchain - A guide to Blockchain Tech
PPTX
M Tech Sem 1 Civil Engineering Environmental Sciences.pptx
PPTX
OOP with Java - Java Introduction (Basics)
PDF
The CXO Playbook 2025 – Future-Ready Strategies for C-Suite Leaders Cerebrai...
PPTX
Infosys Presentation by1.Riyan Bagwan 2.Samadhan Naiknavare 3.Gaurav Shinde 4...
PPTX
UNIT 4 Total Quality Management .pptx
PDF
PPT on Performance Review to get promotions
PPTX
Strings in CPP - Strings in C++ are sequences of characters used to store and...
PPTX
Lesson 3_Tessellation.pptx finite Mathematics
PDF
PRIZ Academy - 9 Windows Thinking Where to Invest Today to Win Tomorrow.pdf
PPTX
CH1 Production IntroductoryConcepts.pptx
PPTX
Lecture Notes Electrical Wiring System Components
PPTX
Welding lecture in detail for understanding
PPTX
web development for engineering and engineering
PDF
Arduino robotics embedded978-1-4302-3184-4.pdf
PPTX
IOT PPTs Week 10 Lecture Material.pptx of NPTEL Smart Cities contd
bas. eng. economics group 4 presentation 1.pptx
Operating System & Kernel Study Guide-1 - converted.pdf
July 2025 - Top 10 Read Articles in International Journal of Software Enginee...
SM_6th-Sem__Cse_Internet-of-Things.pdf IOT
Foundation to blockchain - A guide to Blockchain Tech
M Tech Sem 1 Civil Engineering Environmental Sciences.pptx
OOP with Java - Java Introduction (Basics)
The CXO Playbook 2025 – Future-Ready Strategies for C-Suite Leaders Cerebrai...
Infosys Presentation by1.Riyan Bagwan 2.Samadhan Naiknavare 3.Gaurav Shinde 4...
UNIT 4 Total Quality Management .pptx
PPT on Performance Review to get promotions
Strings in CPP - Strings in C++ are sequences of characters used to store and...
Lesson 3_Tessellation.pptx finite Mathematics
PRIZ Academy - 9 Windows Thinking Where to Invest Today to Win Tomorrow.pdf
CH1 Production IntroductoryConcepts.pptx
Lecture Notes Electrical Wiring System Components
Welding lecture in detail for understanding
web development for engineering and engineering
Arduino robotics embedded978-1-4302-3184-4.pdf
IOT PPTs Week 10 Lecture Material.pptx of NPTEL Smart Cities contd

advanced sql(database)

  • 2. 2 Where we are now • Database environment – Introduction to database • Database development process – steps to develop a database • Conceptual data modeling – entity-relationship (ER) diagram; enhanced ER • Logical database design – transforming ER diagram into relations; normalization • Physical database design – technical specifications of the database • Database implementation – Structured Query Language (SQL), Advanced SQL • Advanced topics – data and database administration
  • 4. 4 Advanced SQL • Joins • Subqueries • Ensuring Transaction Integrity
  • 5. 5 Processing Multiple Tables – Joins • Join – a relational operation that causes two or more tables with a common domain to be combined into a single table or view – the common columns in joined tables are usually the primary key of the dominant table and the foreign key of the dependent table • Equi-join – a join in which the joining condition is based on equality between values in the common columns; common columns appear redundantly in the result table • Natural join – an equi-join in which one of the duplicate columns is eliminated in the result table • Outer join – a join in which rows that do not have matching values in common columns are nevertheless included in the result table (as opposed to inner join, in which rows must have matching values in order to appear in the result table) • Union join – includes all columns from each table in the join, and an instance for each row of each table
  • 6. 6 Figure 7-1: Sample Pine Valley Furniture data Customer_T Order_T Order_Line_T Product_T
  • 7. 7 Example: Equi-join • based on equality between values in the common columns If WHERE clause is omitted, the query will return all combinations of customers and orders (10 orders * 15 customers=150 rows).
  • 8. 8 • same as equi-join except that one of the duplicate columns is eliminated in the result table • most commonly used form of join operation • For each customer who has placed an order, what is the customer’s name and order number? SELECT Customer_T.Customer_ID, Customer_Name, Order_ID FROM Customer_T, Order_T WHERE Customer_T.Customer_ID = Order_T.Customer_ID Join involves multiple tables in FROM clause Example: Natural Join WHERE clause performs the equality check for common columns of the two tables It must be specified from which table the DBMS should pick Customer_ID
  • 9. 9 • Different syntax with same outcome SELECT Customer_T.Customer_ID,Customer_Name,Order_ID FROM Customer_T INNER JOIN Order_T ON Customer_T.Customer_ID = Order_T.Customer_ID; SELECT Customer_T.Customer_ID,Customer_Name,Order_ID FROM Customer_T NATURAL JOIN Order_T ON Customer_T.Customer_ID = Order_T.Customer_ID; Example: Natural Join
  • 10. 10 • row in one table does not have a matching row in the other table • null values appear in columns where there is no match between tables • List customer name, ID number, and order number for all customers. Include customer information even for customers that do not have an order. SELECT Customer_T.Customer_ID, Customer_Name, Order_ID FROM Customer_T LEFT OUTER JOIN Order_T ON Customer_T.Customer_ID = Order_T.Customer_ID; Example: Outer Join LEFT OUTER JOIN syntax will cause customer data to appear even if there is no corresponding order data
  • 12. 12 • The results table will contain all of the columns from each table and will contain an instance for each row of data included from each table. • Example: – Customer_T has 15 customers and 6 attributes – Order_T has 10 orders and 3 attributes • Result Table – 25 rows and 9 columns – each customer row will contain 3 attributes with assigned null values – each order row will contain 6 attributes with assigned null values Example: Union Join
  • 13. 13 • Query: Assemble all information necessary to create an invoice for order number 1006. SELECT Customer_T.Customer_ID, Customer_Name, Customer_Address, City, State, Postal_Code, Order_T.Order_ID, Order_Date, Quantity, Product_Name, Unit_Price, (Quantity * Unit_Prrice) FROM Customer_T, Order_T, Order_Line_T, Product_T WHERE Customer_T.Customer_ID = Order_T.Customer_ID AND Order_T.Order_ID = Order_Line_T.Order_ID AND Order_Line_T.Product_ID = Product_T.Product_ID AND Order_T.Order_ID = 1006; Four tables involved in this join Example: Multiple Join of Four Tables Each pair of tables requires an equality-check condition in the WHERE clause, matching primary keys against foreign keys
  • 14. 14 From CUSTOMER_T table From ORDER_T table From PRODUCT_T table From ORDER_LINE_T table Expression Figure 7-4: Results from a four-table join
  • 15. 15 Subqueries • Subquery – placing an inner query (SELECT statement) inside an outer query – result table display data from the table in the outer query only • Options: – In a condition of the WHERE clause – As a “table” of the FROM clause – Within the HAVING clause • Subqueries can be: – Noncorrelated  execute inner query once for the entire outer query – Correlated  execute inner query once for each row returned by the outer query
  • 16. 16 Example 1: Subqueries • Two equivalent queries – one using a join – one using a subquery
  • 17. 17 • Which customers have placed orders? SELECT Customer_Name FROM Customer_T WHERE Customer_ID IN (SELECT DISTINCT Customer_ID FROM Order_T); Example 2: Subquery Subquery is embedded in parentheses. In this case it returns a list that will be used in the WHERE clause of the outer query The IN operator will test to see if the Customer_ID value of a row is included in the list returned from the subquery
  • 18. 18 Figure 7-8(a): Processing a noncorrelated subquery No reference to data in outer query, so subquery executes once only
  • 19. 19 Example 3: Subquery • The qualifier NOT may be used in front of IN; while ANY and ALL with logical operators such as =, >, and <. A join can be used in an inner query Note: Inner query return list of customers who had ordered computer desk. Outer query list customers who were not in the list returned by inner query.
  • 20. 20 Correlated vs. Noncorrelated Subqueries • Noncorrelated subqueries – do not depend on data from the outer query – execute once for the entire outer query • Correlated subqueries – do make use of data from the outer query – execute once for each row of the outer query – can make use of the EXISTS operator
  • 21. 21 • What are the order numbers that include furniture finished in natural ash? SELECT DISTINCT Order_ID FROM Order_Line_T WHERE EXISTS (SELECT * FROM Product_T WHERE Product_ID = Order_Line_T.Product_ID AND Product_Finish = ‘Natural Ash’); Example 4: Correlated Subquery The subquery is testing for a value that comes from the outer query . The EXISTS operator will return a TRUE value if the subquery resulted in a non-empty set, otherwise it returns a FALSE.
  • 22. 22 Figure 7-8(b): Processing a correlated subquery Subquery refers to outer-query data, so executes once for each row of outer query ORDER_ID 1001 1002 1003 1006 1007 1008 1009 Result:
  • 24. 24 • Which products have a standard price that is higher that the average standard price? SELECT Product_Description, Standard_Price, AVGPRICE FROM (SELECT AVG(Standard_Price) AVGPRICE FROM Product_T), Product_T WHERE Standard_Price > AVGPRICE; Example 6: Subquery as Derived Table The WHERE clause normally cannot include aggregate functions, but because the aggregate is performed in the subquery, its result can be used in the outer query’s WHERE clause One column of the subquery is an aggregate function that has an alias name. That alias can then be referred to in the outer query Subquery forms the derived table used in the FROM clause of the outer query
  • 25. 25 Ensuring Transaction Integrity • Transaction – a discrete unit of work that must be completely processed or not processed at all – may involve multiple DML commands  INSERT, DELETE, UPDATE – if any command fails, then all other changes must be cancelled • SQL commands for transactions – BEGIN TRANSACTION/END TRANSACTION  marks boundaries of a transaction – COMMIT  makes all changes permanent – ROLLBACK  cancels changes since the last COMMIT
  • 26. 26 Figure 7-12: An SQL Transaction sequence (in pseudocode)
  • 27. 27 Review Questions • What are the 4 types of join? • What are subqueries? • What is a correlated subquery? • What is a noncorrelated subquery? • What is a transaction?