KEMBAR78
SQL - Notes | PDF | Table (Database) | Databases
0% found this document useful (0 votes)
18 views14 pages

SQL - Notes

The document provides a comprehensive guide on SQL, covering topics such as selecting data from tables, using operators for text and NULL values, and performing joins between multiple tables. It also explains aggregation functions, sorting results, and filtering groups with examples. Additionally, it discusses the importance of proper SQL syntax and the behavior of NULL values in queries.

Uploaded by

Anne Sminth
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
18 views14 pages

SQL - Notes

The document provides a comprehensive guide on SQL, covering topics such as selecting data from tables, using operators for text and NULL values, and performing joins between multiple tables. It also explains aggregation functions, sorting results, and filtering groups with examples. Additionally, it discusses the importance of proper SQL syntax and the behavior of NULL values in queries.

Uploaded by

Anne Sminth
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 14

1.

A primer on databases
……….

2. Selecting from one table


Use text
Until now, we only worked with numbers in our WHERE clauses. Is it possible to use letters instead? Of course it is! Just
remember to put your text in single quotes like this: 'example'.
If you wanted to know the age of all Smiths in your table, you could use the following code:
SELECT age
FROM user
WHERE name = 'Smith';
Note that the case of the letters matters, i.e., 'Smith' is different than 'SMITH'.

The percentage sign (%)


Great! Now, what happens if we don't know precisely what letters we're looking for? With text values, you can always
use the LIKE operator instead of the equality sign. What change does it make? Well, take a look at the following
example:
SELECT *
FROM user
WHERE name LIKE 'A%';
LIKE allows for the use of the percentage sign (%). The percentage sign applied in the example matches any number
(zero or more) of unknown characters.
As a result, we'll obtain all users whose name begins with the letter 'A'. We may not remember someone's exact name,
but we know it begins with an A and that's enough. Convenient, isn't it?

The underscore sign (_)


Nice! Now, sometimes we may not remember just one letter of a specific name. Imagine we want to find a girl whose
name is... Catherine? Katherine?
SELECT *
FROM user
WHERE name LIKE '_atherine';
The underscore sign (_) matches exactly one character. Whether it's Catherine or Katherine – the expression will return
a row.

Looking for NOT NULL values


In every row, there can be NULL values, i.e. fields with unknown, missing values. Remember the Opel from our table
with its missing price? This is exactly a NULL value. We simply don't know the price.
To check whether a column has a value, we use a special instruction IS NOT NULL.
SELECT id
FROM user
WHERE middle_name IS NOT NULL;
This code selects only those users who have a middle name, i.e., their middle_name column is known.

Looking for NULL values


Great! Remember, NULL is a special value. You can't use the equal sign to check whether something is NULL. It simply
won't work. The opposite of IS NOT NULL is IS NULL.
SELECT id
FROM user
WHERE middle_name IS NULL;
This query will return only those users who don't have a middle name, i.e., their middle_name is unknown.
Comparisons with NULL
Good job. Remember, NULL is a special value. It means that some piece of information is missing or unknown.
If you set a condition on a particular column, say age < 70, the rows where the age column has a NULL value will always
be excluded from the results. Let's check that in practice.
In no way does NULL equal zero. What's more, the expression NULL = NULL is never true in SQL!

SELECT *
FROM car
WHERE
(production_year BETWEEN 1999 AND 2005)
AND (brand != 'Volkswagen')
AND (model LIKE 'P%' OR model LIKE 'F%')
AND (price IS NOT NULL);
=>>>>>> không có dấu phẩy cuối dòng trong WHERE

3. Querying more than one table


JOIN ... ON
SELECT * SELECT *
FROM movie FROM movie, director
JOIN director WHERE movie.director_id = director.id
ON movie.director_id = director.id;
=>>>> 2 cách viết khác nhau nhưng cho ra kết quả như nhau
Providing column names together with the tables they are a part of only when there is a chance of confusing them. If
there are two different columns with the same name in two different tables, then you have to specify the tables. If the
name of the column is unique, though, you may omit the table name.
Rename columns with AS
Good job! We can do one more thing with our columns: rename them. Up till now, the column named id was always
shown as id in the result. Now we will change it:
SELECT
person.id AS person_id,
car.id AS car_id
FROM person
JOIN car
ON person.id = car.owner_id;
After the column name, e.g. person.id, we use the new keyword AS and we put the new name after it (person_id). We
can repeat this process with every column.
The new name is just an alias, which means it's temporary and doesn't change the actual column name in the database.
It only influences the way the column is shown in the result of the specific query. This technique is often used when
there are a few columns with the same name coming from different tables. Normally, when SQL displays columns in the
result, there is no information about the table that a specific column is part of.

4. Aggregation and grouping


Sort the rows – ORDER BY
How are rows sorted in the result of an SQL query? => by default, they are not sorted at all. The sequence in which rows
appear is arbitrary and every database can behave differently. You can even perform the same SQL instruction a few
times and get a different order each time – unless you ask the database to sort the rows, of course.
SELECT *
FROM orders
ORDER BY customer_id;
In the above example, we've added a new piece: ORDER BY. After this expression, you can simply specify a column on
which the data will be sorted.
ORDER BY with conditions
We can filter rows and sort them at the same time. Just have a look:
SELECT *
FROM orders
WHERE customer_id = 100
ORDER BY total_sum;
The WHERE clause and ORDER BY work well together. In this case, we'll only see the orders made by the customer with id
100. The orders will be sorted on the total sum – the cheapest order will appear as the first result and the most expensive
as the last one.
Ascending and descending orders
Ascending order of results is performed in SQL by default. If you want to be precise and make things clear, however, you
can use the keyword ASC (short for the ascending order) after the column name:
SELECT *
FROM orders
ORDER BY total_sum ASC;
Adding the keyword ASC will change nothing, but it will show your intention in a very clear way.

We can also reverse the order and make the greatest values appear first.
SELECT *
FROM orders
ORDER BY total_sum DESC;
As you can see, we've added the word DESC after the column name, which is short for the descending order. As a result,
the highest values in the column total_sum will be shown first.

Limiting the output


SELECT *
FROM orders
LIMIT 10;
LIMIT n returns the first n rows from the result.

LIMIT ordered values


LIMIT works with ORDER BY:
SELECT *
FROM orders
ORDER BY total_sum ASC
LIMIT 10;
The above code will return the 10 rows with the highest total_sum. By default, MySQL considers NULL values to be
smaller than any non-NULL value – this will result in all orders with NULL total_sum to appear first in this query. To avoid
this, you can write a WHERE condition to exclude NULL values:
SELECT *
FROM orders
WHERE total_sum IS NOT NULL
ORDER BY total_sum ASC
LIMIT 10;
 https://learnsql.com/blog/how-to-order-rows-with-nulls/
 The SQL standard does not define the default ordering of NULLs. If you apply the ORDER BY clause to a column
with NULLs, the NULL values will be placed either first or last in the result set.
 PostgreSQL considers NULL values larger than any non-NULL value.
 Oracle treats NULLs the same way as PostgreSQL. Oracle considers NULL values larger than any non-NULL values.
 SQLite considers NULLs to be smaller than any other value.
 MySQL considers NULL values lower than any non-NULL value.
 SQL Server also treats NULL values as smaller than any non-NULL values.

Select distinctive values


In our orders example, if there were many orders placed by the same customer, each customer ID would be shown many
times in the results. Not good.
SELECT DISTINCT customer_id
FROM orders;
Before the column name, we've added the word DISTINCT. Now the database will remove duplicates and only show
distinct values. Each customer_id will appear only once.

Select distinctive values in certain columns


You can also use DISTINCT on a group of columns. Take a look:
SELECT DISTINCT
customer_id,
order_date
FROM orders;
One customer may place many orders every day, but if we just want to know on what days each customer actually did
place at least one order, the above query will check that.
Count the rows
You already know that your database can do computation because we've already added or subtracted values in our SQL
instructions. The database can do much more than that. It can compute statistics for multiple rows. This operation is
called aggregation.
Let's start with something simple:
SELECT COUNT(*)
FROM orders;
Instead of the asterisk (*) which basically means "all", we've put the expression COUNT(*).
COUNT(*) is a function. A function in SQL always has a name followed by parentheses. In the parentheses, you can put
information which the function needs to work. For example, COUNT() calculates the number of rows specified in the
parentheses.
In this case, we've used COUNT(*) which basically means "count all rows". As a result, we'll just get the number of all
rows in the orders table – and not their content.
=>> giữa COUNT và () không được có space
Count the rows, ignore the NULLS
Naturally, the asterisk (*) isn't the only option available in the function COUNT(). For example, we may ask the database
to count the values in a specific column:
SELECT COUNT(customer_id)
FROM orders;
What's the difference between COUNT(*) and COUNT(customer_id)? Well, the first option counts all rows in the table
and the second option counts all rows where the column customer_id has a specified value. In other words, if there is a
NULL in the column customer_id, that row won't be counted.
Count distinctive values in a column
We can also add the DISTINCT keyword in our COUNT() function:
SELECT COUNT(DISTINCT customer_id) AS distinct_customers
FROM orders;
This time, we count all rows which have a distinctive value in the column customer_id. In other words, this instruction
tells us how many different customers have placed an order so far. If a customer places 5 orders, the customer will only
be counted once.

Count distinctive values in a column


We can also add the DISTINCT keyword in our COUNT() function:
SELECT COUNT(DISTINCT customer_id) AS distinct_customers
FROM orders;
=> we count all rows which have a distinctive value in the column customer_id. In other words, this instruction tells us
how many different customers have placed an order so far. If a customer places 5 orders, the customer will only be
counted once.

Find the minimum and maximum value


SELECT MIN(total_sum)
FROM orders;
The function MIN(total_sum) returns the smallest value of the column total_sum. In this way, we can find the cheapest
order in our table.
You can also use a similar function, namely MAX(). That's right, it returns the biggest value of the specified column.

Find the average value


SELECT AVG(total_sum)
FROM orders
WHERE customer_id = 100;
The function AVG() finds the average value of the specified column => we'll get the average order value for the customer
with ID of 100.

Find the sum


SELECT SUM(total_sum)
FROM orders
WHERE customer_id = 100;
The above instruction will find the total sum of all orders placed by the customer with ID of 100.
Group the rows and count them
SELECT
customer_id,
COUNT(*)
FROM orders
GROUP BY customer_id;
The new piece here is GROUP BY followed by a column name (customer_id). GROUP BY will group together all rows
having the same value in the specified column.
In our example, all orders made by the same customer will be grouped together in one row. The function COUNT(*) will
then count all rows for the specific clients. As a result, we'll get a table where each customer_id will be shown together
with the number of orders placed by that customer.
Find min and max values in groups
GROUP BY is used together with many other functions:
SELECT
customer_id,
MAX(total_sum)
FROM orders
GROUP BY customer_id;
=>> we'll find the order with the highest value for each customer.
Find the average value in groups
SELECT
customer_id,
AVG(total_sum)
FROM orders
WHERE order_date >= '2019-01-01'
AND order_date < '2020-01-01'
GROUP BY customer_id;
=>> we now use the function AVG(total_sum) which will count the average order value for each of our customers but
only for their orders placed in 2019.
Group by a few columns
Nice work! There's one more thing about GROUP BY that we want to discuss. Sometimes we want to group the rows by
more than one column. Let's imagine we have a few customers who place tons of orders every day, so we would like to
know the daily sum of their orders.
SELECT
customer_id,
order_date,
SUM(total_sum)
FROM orders
GROUP BY customer_id, order_date;
As you can see, we group by two columns: customer_id and order_date. We select these columns along with the
function SUM(total_sum).
Remember: in such queries each column in the SELECT part must either be used later for grouping or it must be used
with one of the functions.
To better understand the issue, take a look at1 the following table (expand the column or scroll the table horizontally if
you need to):

Note: It makes no sense to select any other column. For example, each order on the very same day by the very same
customer can have a different shipping date. If you wanted to select the ship_date column in this case, the database
wouldn't know which shipping date to choose for the whole group, so it would put just one, random value in the result.

Filter groups
In this section, we'll have a look at how groups can be filtered. There is a special keyword HAVING reserved for this.
SELECT
customer_id,
order_date,
SUM(total_sum)
FROM orders
GROUP BY customer_id, order_date
HAVING SUM(total_sum) > 2000;
 The new part here comes at the end. We've used the keyword HAVING and then stated the condition to filter the
results. In this case, we only want to show those customers who, on individuals days, ordered goods with a total daily
value of more than $2,000.
 By the way, this is probably a good time to point out an important thing: in SQL, the specific fragments must always be
put in the right order. You can't, for example, put WHERE before FROM. Similarly, HAVING must always follow GROUP
BY, not the other way around. Keep that in mind when you write your queries, especially longer ones.
 Exercise:
 Find such employees who (have) spent more than 2 years in the company. Select their last name and first name
together with the number of years worked (name this column years).
SELECT
first_name,
last_name,
COUNT(DISTINCT year) AS years
FROM employees
GROUP BY first_name, last_name
HAVING COUNT (DISTINCT year) > 2;

 Find such departments where the average salary in 2012 was higher than $3,000. Show the department name
with the average salary.
SELECT HAVING AVG(salary) > 3000;
department,
AVG(salary)
FROM employees
WHERE year = 2012
GROUP BY department
Order groups
Groups can be sorted just like rows. Take a look:
SELECT
customer_id,
order_date,
SUM(total_sum)
FROM orders
GROUP BY customer_id, order_date
ORDER BY SUM(total_sum) DESC;
In this case, we'll order our rows according to the total daily sum of all orders by a specific customer. The rows with the
highest value will appear first.
 Exercise
Show the last_name and first_name columns from the employees table together with each person's average salary and
the number of years they (have) worked in the company.
Use the following aliases: average_salary for each person's average salary and years_worked for the number of years
worked in the company. Show only such employees who (have) spent more than 2 years in the company. Order the
results according to the average salary in the descending order.
SELECT
last_name,
first_name,
AVG(salary) AS average_salary,
COUNT(DISTINCT year) AS years_worked
FROM employees
GROUP BY last_name, first_name
HAVING COUNT(DISTINCT year) > 2
ORDER BY AVG(salary) DESC;

5. More on JOINs
JOIN reviewed
Do you still remember how we joined two tables in the second part of the course? Let's review the example we gave for
people and their cars:
SELECT *
FROM person
JOIN car
ON person.id = car.owner_id;
That's right, we put the keyword JOIN between the names of two tables and then, after another keyword ON, we
provided the condition.
In this particular example, we joined the rows where value of the owner_id column (the car table) was identical with the
value of the id column (the person table). In this way, we joined cars with their owners.

INNER JOIN
Now, you should be made aware that JOIN is actually just one, of a few joining methods. It's the most common one so
it's always applied by default when you write the keyword JOIN in your SQL statement. Technically speaking, though, its
full name is INNER JOIN.
The example from the previous exercise can be just as well written in the following way:
SELECT *
FROM person
INNER JOIN car
ON person.id = car.owner_id;

How INNER JOIN works

If you now compare the results of INNER JOIN with


the content of the equipment table (open the
Database tab), you'll notice that not all pieces of
equipment are present in the resulting table. For
example, a lovely kettle with the ID of 11 is not
there. Do you know why?
INNER JOIN (or JOIN, for short) only shows those
rows from the two tables where there is a match
between the columns. In other words, you can only
see those pieces of equipment which have a room
assigned and vice versa. Equipment with no room is
not shown in the result. Take a look at the table:
Blue rows are the result of
the INNER JOIN. Equipment
with NULL value in the room_id column
(pink rows) is not shown in
the INNER JOIN result.

LEFT JOIN explained

we'll now learn a new kind of JOIN: LEFT JOIN.


LEFT JOIN works in the following way: it returns all rows from
the left table (the first table in the query) plus all matching
rows from the right table (the second table in the query).
Let's see an example:
SELECT *
FROM car
LEFT JOIN person
ON car.owner_id = person.id;
The result may look like this:
The LEFT JOIN returns all rows in the above table. The blue
rows are returned by the INNER JOIN. The pink rows are
added by the LEFT JOIN: there is no matching owner for
the pink row cars but a LEFT JOIN returns them nevertheless.

RIGHT JOIN explained

As you may have guessed, there is also a RIGHT JOIN.


The RIGHT JOIN works in the following way: it
returns all rows from the right table (the second table in
the query) plus all matching rows from the left table (the
first table in the query).
Let's see an example. Take a look at the query:
SELECT *
FROM car
The keyword OUTER
Remember when we told you that JOIN is short for INNER JOIN?
The two joins we mentioned just now: LEFT JOIN and RIGHT JOIN are also shortcuts. They are all actually
OUTER JOINs: LEFT OUTER JOIN and RIGHT OUTER JOIN. You can add the keyword OUTER and the results of
your queries will stay the same.
For example, for the LEFT JOIN, you could just as well write:
SELECT *
FROM person
LEFT OUTER JOIN car
ON person.id = car.owner_id;
Exercise
Check it out for yourself. Use the full name RIGHT OUTER JOIN to show all the kettles together with their room data (even if there is
no room assigned).
SELECT *
FROM room
RIGHT OUTER JOIN equipment
ON room.id = equipment.room_id
WHERE equipment.name = 'kettle';

NATURAL JOIN
There's one more joining method before you go. It's called NATURAL JOIN and it's slightly different from
the other methods because it doesn't require the ON clause with the joining condition:
SELECT *
FROM person
NATURAL JOIN car;

NATURAL JOIN explained


NATURAL JOIN doesn't require column names because it always joins the two tables on the columns with
the same name.
In our example, students and rooms have been joined on the id column, which doesn't really make much
sense. In our dormitory, the construction
SELECT *
FROM student
NATURAL JOIN room;
gives the same result as the following query:
SELECT *
FROM student
JOIN room
ON student.id = room.id;
You can, however, construct your tables in such a way that NATURAL JOIN comes in handy. If you had the
following tables:
car(car_id, brand, model)
owner(owner_id, name, car_id)
Then it would make perfect sense to use NATURAL JOIN because it would join the two tables on
the car_id column. You would then need fewer keyboard strokes to join two tables.

Table aliases
Speaking of fewer keyboard strokes, there is one more thing which may come in handy and make you
write less: aliases for tables.
Imagine the following situation: we want to select many columns from two joined tables. You could, of
course, write it like this:
SELECT
person.id,
person.name,
person.year,
car.id,
car.name,
car.year
FROM person
JOIN car
ON person.id = car.owner_id;
Takes a lot of writing, doesn't it? All those column names together with their table names... Fortunately,
there is a way to make things simpler: we can introduce new temporary names (called aliases) for our
tables:
SELECT
p.id,
p.name,
p.year,
c.id,
c.name,
c.year
FROM person AS p
JOIN car AS c
ON p.id = c.owner_id;
As you can see, after the table names in the FROM clause, we used the keyword AS. It indicates that
whatever comes next will become the new, temporary name (alias) for the table. Thanks to this, we can
save our fingers a little bit and write shorter names for our tables.

Aliases in self-joins
Aliases are also convenient in other situations. Let's analyze the following situation:
We want to put information about children and their mothers into a database. At some point, we would
also like to show children together with their mothers using a JOIN.
Let's say we store both children and mothers in the same person table. Each row has a column
named mother_id. This column contains the ID of another row – the mother's row.
The question is: can we join the table person with the table person? The answer is simple: yes, we can! But
you can't simply write this in your SQL query:
person JOIN person
You need to provide two different aliases for the same table:
SELECT *
FROM person AS child
JOIN person AS mother
ON child.mother_id = mother.id;
Thanks to the aliases, the database engine will use the same table person twice – the first time to look for
children and the second time to look for their mothers.
Exercise
We want to know who lives with the student Jack Pearson in the same room. Use self-joining to show all the columns for the student
Jack Pearson together with all the columns for each student living with him in the same room.
Remember to exclude Jack Pearson himself from the result!

SELECT *
FROM student AS s1
JOIN student AS s2
ON s1.room_id = s2.room_id
WHERE s1.name = 'Jack Pearson'
AND s1.id <> s2.id;

Joining more tables


Excellent! You can also use more than one join in your SQL instruction. Let's say we also want to show all
the room information for the students paired with Jack Pearson. Unfortunately, data like room number or
floor is not stored in the table student – we need yet another join with the room table:
SELECT *
FROM student AS s1
JOIN student AS s2
ON s1.room_id = s2.room_id
JOIN room
ON s2.room_id = room.id
WHERE s1.name = 'Jack Pearson'
AND s1.name != s2.name;
Now that you know self-joins and joining more than 2 tables, we have a tiny challenge for you.
Exercise
The challenge is as follows: for each room with 2 beds where there actually are 2 students, we want to show one row which contains
the following columns:
 the name of the first student.
 the name of the second student.
 the room number.
Don't change any column names. Each pair of students should only be shown once. The student whose name comes first in the
alphabet should be shown first.
A small hint: in terms of SQL, "first in the alphabet" means "smaller than" for text values.
SELECT
s1.name,
s2.name,
room_number
FROM student AS s1
JOIN student AS s2
ON s1.room_id = s2.room_id
JOIN room
ON s1.room_id = room.id
WHERE s1.name < s2.name
AND beds = 2;
The key lies in understanding the difference between s1.id <> s2.id and s1.id < s2.id in the SQL queries.
The Wrong Answer: Using s1.id <> s2.id
What It Does: This condition checks if the id of the first student (s1.id) is not equal to the id of the second student (s2.id).
Problem: While this ensures that a student is not paired with themselves, it doesn't prevent duplicate pairs. For example, if you have
Student A and Student B in the same room, you'll get two rows:
One row with Student A as s1 and Student B as s2.
Another row with Student B as s1 and Student A as s2.
Result: This leads to redundancy because the pair (Student A, Student B) is the same as (Student B, Student A), but both are listed.
The Correct Answer: Using s1.id < s2.id
What It Does: This condition checks if the id of the first student (s1.id) is less than the id of the second student (s2.id).
Why It Works: This not only ensures that the two students are different (as one ID can't be both less than and equal to another), but
it also imposes an order. It guarantees that each pair will only be listed once, with the student having the smaller ID first.
Result: You get each pair of students listed only once. If s1 is Student A and s2 is Student B, you won't see another row with Student
B as s1 and Student A as s2 because B's ID is not less than A's ID.
Alphabetical Order
The condition s1.id < s2.id does not directly relate to alphabetical order of student names. It's based on the IDs of the students. If you
want to order students alphabetically within each row, you would need to add an ORDER BY clause or ensure the JOIN condition
aligns with names instead of IDs. However, in this case, since the ID is used as the criterion for pairing students, their names'
alphabetical order is incidental and not enforced by this query.

6. Subqueries

You might also like