MySQL by Examples For Beginners
MySQL by Examples For Beginners
Read "How to Install MySQL and Get Started" on how to install, customize, and get started with
MySQL.
1. Summary of MySQL Commands Used in this Tutorial
For detailed syntax, check MySQL manual "SQL Statement Syntax"
@ http://dev.mysql.com/doc/refman/5.5/en/sql-syntax.html.
-- Database-Level
DROP DATABASE databaseName -- Delete the database (irrecoverable!)
DROP DATABASE IF EXISTS databaseName -- Delete if it exists
CREATE DATABASE databaseName -- Create a new database
CREATE DATABASE IF NOT EXISTS databaseName -- Create only if it does not exists
SHOW DATABASES -- Show all the databases in this server
USE databaseName -- Set the default (current) database
SELECT DATABASE() -- Show the default database
SHOW CREATE DATABASE databaseName -- Show the CREATE DATABASE statement
-- Table-Level
DROP TABLE [IF EXISTS] tableName, ...
CREATE TABLE [IF NOT EXISTS] tableName (
columnName columnType columnAttribute, ...
PRIMARY KEY(columnName),
FOREIGN KEY (columnNmae) REFERENCES tableName (columnNmae)
)
SHOW TABLES -- Show all the tables in the default database
DESCRIBE|DESC tableName -- Describe the details for a table
ALTER TABLE tableName ... -- Modify a table, e.g., ADD COLUMN and DROP COLUMN
ALTER TABLE tableName ADD columnDefinition
ALTER TABLE tableName DROP columnName
ALTER TABLE tableName ADD FOREIGN KEY (columnNmae) REFERENCES tableName (columnNmae)
ALTER TABLE tableName DROP FOREIGN KEY constraintName
SHOW CREATE TABLE tableName -- Show the CREATE TABLE statement for this
tableName
-- Row-Level
INSERT INTO tableName
VALUES (column1Value, column2Value,...) -- Insert on all Columns
INSERT INTO tableName
VALUES (column1Value, column2Value,...), ... -- Insert multiple rows
INSERT INTO tableName (column1Name, ..., columnNName)
VALUES (column1Value, ..., columnNValue) -- Insert on selected
Columns
DELETE FROM tableName WHERE criteria
UPDATE tableName SET columnName = expr, ... WHERE criteria
SELECT * | column1Name AS alias1, ..., columnNName AS aliasN
FROM tableName
WHERE criteria
GROUP BY columnName
ORDER BY columnName ASC|DESC, ...
HAVING groupConstraints
LIMIT count | offset count
-- Others
SHOW WARNINGS; -- Show the warnings of the previous statement
IMPORTANT: Use SQL DROP (and DELETE) commands with extreme care, as the deleted entities are
irrecoverable. THERE IS NO UNDO!!!
SHOW CREATE DATABASE
The CREATE DATABASE commands uses some defaults. You can issue a " SHOW CREATE
DATABASE databaseName" to display the full command and check these default values. We
use \G (instead of ';') to display the results vertically. (Try comparing the outputs produced
by ';' and \G.)
mysql> CREATE DATABASE IF NOT EXISTS southwind;
-- Create the table "products". Read "explanations" below for the column defintions
mysql> CREATE TABLE IF NOT EXISTS products (
productID INT UNSIGNED NOT NULL AUTO_INCREMENT,
productCode CHAR(3) NOT NULL DEFAULT '',
name VARCHAR(30) NOT NULL DEFAULT '',
quantity INT UNSIGNED NOT NULL DEFAULT 0,
price DECIMAL(7,2) NOT NULL DEFAULT 99999.99,
PRIMARY KEY (productID)
);
Query OK, 0 rows affected (0.08 sec)
-- Show all the tables to confirm that the "products" table has been created
mysql> SHOW TABLES;
+---------------------+
| Tables_in_southwind |
+---------------------+
| products |
+---------------------+
-- Show the complete CREATE TABLE statement used by MySQL to create this table
mysql> SHOW CREATE TABLE products \G
*************************** 1. row ***************************
Table: products
Create Table:
CREATE TABLE `products` (
`productID` int(10) unsigned NOT NULL AUTO_INCREMENT,
`productCode` char(3) NOT NULL DEFAULT '',
`name` varchar(30) NOT NULL DEFAULT '',
`quantity` int(10) unsigned NOT NULL DEFAULT '0',
`price` decimal(7,2) NOT NULL DEFAULT '99999.99',
PRIMARY KEY (`productID`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1
Explanations
We define 5 columns in the table products: productID, productCode, name, quantity and price.
The data types are:
productID is INT UNSIGNED - non-negative integers.
productCode is CHAR(3) - a fixed-length alphanumeric string of 3 characters.
name is VARCHAR(30) - a variable-length string of up to 30 characters.
We use fixed-length string for productCode, as we assume that the productCode contains
exactly 3 characters. On the other hand, we use variable-length string for name, as its length
varies - VARCHARis more efficient than CHAR.
quantity is also INT.
price is DECIMAL(10,2) - a decimal number with 2 decimal places.
DECIMAL is precise (represented as integer with a fix decimal point). On the other
hand, FLOAT and DOUBLE (real numbers) are not precise and are approximated. DECIMAL type is
recommended for currency.
The attribute "NOT NULL" specifies that the column cannot contain the NULL value. NULL is a special
value indicating "no value", "unknown value" or "missing value". We also set the default values of all
the columns. The column will take on its default value, if no value is specified during the record
creation.
We set the column productID as the so-called primary key. Values of the primary-key column must
be unique. Every table shall contain a primary key. This ensures that every row can be distinguished
from other rows. You can specify a single column or a set of columns as the primary key. An index is
build automatically on the primary-key column to facilitate fast search. Primary key is also used as
reference for other tables.
We set the column productID to AUTO_INCREMENT. with default starting value of 1. When you insert
a NULL (recommended) (or 0, or a missing value), into an AUTO_INCREMENT column, the maximum
value of that column plus 1 would be inserted. You can also insert a valid value to
an AUTO_INCREMENT column, bypassing the auto-increment.
2.4 Inserting Rows - INSERT INTO
Let's fill up our "products" table with rows. We set the productID of the first record to 1001, and
use AUTO_INCREMENT for the rest of records by inserting a NULL, or with a missing column value. Take
note that strings must be enclosed with a pair of single quotes (or double quotes).
-- Insert a row with all the column values
mysql> INSERT INTO products VALUES (1001, 'PEN', 'Pen Red', 5000, 1.23);
Query OK, 1 row affected (0.04 sec)
Syntex
We can use the INSERT INTO statement to insert a new row with all the column values, using the
following syntax:
INSERT INTO tableName VALUES (firstColumnValue, ..., lastColumnValue) -- All columns
You need to list the values in the same order in which the columns are defined in the CREATE TABLE,
separated by commas. For columns of string data type ( CHAR, VARCHAR), enclosed the value with a
pair of single quotes (or double quotes). For columns of numeric data type
(INT, DECIMAL, FLOAT, DOUBLE), simply place the number.
You can also insert multiple rows in one INSERT INTO statement:
INSERT INTO tableName VALUES
(row1FirstColumnValue, ..., row1lastColumnValue),
(row2FirstColumnValue, ..., row2lastColumnValue),
...
The remaining columns will receive their default value, such as AUTO_INCREMENT, default, or NULL.
2.5 Querying the Database - SELECT
The most common, important and complex task is to query a database for a subset of data that
meets your needs - with the SELECT command. The SELECT command has the following syntax:
-- List all the rows of the specified columns
SELECT column1Name, column2Name, ... FROM tableName
-- List all the rows of ALL columns, * is a wildcard denoting all columns
SELECT * FROM tableName
For examples,
-- List all rows of ALL the columns. The wildcard * denotes ALL columns
mysql> SELECT * FROM products;
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1001 | PEN | Pen Red | 5000 | 1.23 |
| 1002 | PEN | Pen Blue | 8000 | 1.25 |
| 1003 | PEN | Pen Black | 2000 | 1.25 |
| 1004 | PEC | Pencil 2B | 10000 | 0.48 |
| 1005 | PEC | Pencil 2H | 8000 | 0.49 |
+-----------+-------------+-----------+----------+-------+
5 rows in set (0.00 sec)
// Multiple columns
mysql> SELECT 1+1, NOW();
+-----+---------------------+
| 1+1 | NOW() |
+-----+---------------------+
| 2 | 2012-10-24 22:16:34 |
+-----+---------------------+
1 row in set (0.00 sec)
Comparison Operators
For numbers (INT, DECIMAL, FLOAT), you could use comparison operators: '=' (equal to), '<>' or '!
=' (not equal to), '>' (greater than), '<' (less than), '>=' (greater than or equal to), '<=' (less than
or equal to), to compare two numbers. For example, price > 1.0, quantity <= 500.
mysql> SELECT name, price FROM products WHERE price < 1.0;
+-----------+-------+
| name | price |
+-----------+-------+
| Pencil 2B | 0.48 |
| Pencil 2H | 0.49 |
+-----------+-------+
2 rows in set (0.00 sec)
mysql> SELECT name, quantity FROM products WHERE quantity <= 2000;
+-----------+----------+
| name | quantity |
+-----------+----------+
| Pen Black | 2000 |
+-----------+----------+
1 row in set (0.00 sec)
CAUTION: Do not compare FLOATs (real numbers) for equality ( '=' or '<>'), as they are not precise.
On the other hand, DECIMAL are precise.
For strings, you could also use '=', '<>', '>', '<', '>=', '<=' to compare two strings
(e.g., productCode = 'PEC'). The ordering of string depends on the so-called collation chosen. For
example,
mysql> SELECT name, price FROM products WHERE productCode = 'PEN';
-- String values are quoted
+-----------+-------+
| name | price |
+-----------+-------+
| Pen Red | 1.23 |
| Pen Blue | 1.25 |
| Pen Black | 1.25 |
+-----------+-------+
3 rows in set (0.00 sec)
You can perform arithmetic operations on numeric fields using arithmetic operators, as tabulated
below:
Operator Description
+ Addition
- Subtraction
* Multiplication
/ Division
DIV Integer Division
% Modulus (Remainder)
Logical Operators - AND, OR, NOT, XOR
You can combine multiple conditions with boolean operators AND, OR, XOR. You can also invert a
condition using operator NOT. For examples,
mysql> SELECT * FROM products WHERE quantity >= 5000 AND name LIKE 'Pen %';
+-----------+-------------+----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+----------+----------+-------+
| 1001 | PEN | Pen Red | 5000 | 1.23 |
| 1002 | PEN | Pen Blue | 8000 | 1.25 |
+-----------+-------------+----------+----------+-------+
mysql> SELECT * FROM products WHERE quantity >= 5000 AND price < 1.24 AND name LIKE
'Pen %';
+-----------+-------------+---------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+---------+----------+-------+
| 1001 | PEN | Pen Red | 5000 | 1.23 |
+-----------+-------------+---------+----------+-------+
mysql> SELECT * FROM products WHERE NOT (quantity >= 5000 AND name LIKE 'Pen %');
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1003 | PEN | Pen Black | 2000 | 1.25 |
| 1004 | PEC | Pencil 2B | 10000 | 0.48 |
| 1005 | PEC | Pencil 2H | 8000 | 0.49 |
+-----------+-------------+-----------+----------+-------+
IN, NOT IN
You can select from members of a set with IN (or NOT IN) operator. This is easier and clearer than the
equivalent AND-OR expression.
mysql> SELECT * FROM products WHERE name IN ('Pen Red', 'Pen Black');
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1001 | PEN | Pen Red | 5000 | 1.23 |
| 1003 | PEN | Pen Black | 2000 | 1.25 |
+-----------+-------------+-----------+----------+-------+
BETWEEN, NOT BETWEEN
To check if the value is within a range, you could use BETWEEN ... AND ... operator. Again, this is
easier and clearer than the equivalent AND-OR expression.
Using comparison operator (such as = or <>) to check for NULL is a mistake - a very common mistake.
For example,
SELECT * FROM products WHERE productCode = NULL;
-- This is a common mistake. NULL cannot be compared.
ORDER BY Clause
You can order the rows selected using ORDER BY clause, with the following syntax:
SELECT ... FROM tableName
WHERE criteria
ORDER BY columnA ASC|DESC, columnB ASC|DESC, ...
The selected row will be ordered according to the values in columnA, in either ascending (ASC)
(default) or descending (DESC) order. If several rows have the same value in columnA, it will be
ordered according to columnB, and so on. For strings, the ordering could be case-sensitive or case-
insensitive, depending on the so-called character collating sequence used. For examples,
-- Order the results by price in descending order
mysql> SELECT * FROM products WHERE name LIKE 'Pen %' ORDER BY price DESC;
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1002 | PEN | Pen Blue | 8000 | 1.25 |
| 1003 | PEN | Pen Black | 2000 | 1.25 |
| 1001 | PEN | Pen Red | 5000 | 1.23 |
+-----------+-------------+-----------+----------+-------+
LIMIT Clause
A SELECT query on a large database may produce many rows. You could use the LIMIT clause to
limit the number of rows displayed, e.g.,
-- Display the first two rows
mysql> SELECT * FROM products ORDER BY price LIMIT 2;
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1004 | PEC | Pencil 2B | 10000 | 0.48 |
| 1005 | PEC | Pencil 2H | 8000 | 0.49 |
+-----------+-------------+-----------+----------+-------+
To continue to the following records , you could specify the number of rows to be skipped, followed
by the number of rows to be displayed in the LIMIT clause, as follows:
-- Skip the first two rows and display the next 1 row
mysql> SELECT * FROM products ORDER BY price LIMIT 2, 1;
+-----------+-------------+---------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+---------+----------+-------+
| 1001 | PEN | Pen Red | 5000 | 1.23 |
+-----------+-------------+---------+----------+-------+
AS - Alias
You could use the keyword AS to define an alias for an identifier (such as column name, table name).
The alias will be used in displaying the name. It can also be used as reference. For example,
mysql> SELECT productID AS ID, productCode AS Code, name AS Description, price AS
`Unit Price`
-- Define aliases to be used as display names
FROM products
ORDER BY ID;
-- Use alias ID as reference
+------+------+-------------+------------+
| ID | Code | Description | Unit Price |
+------+------+-------------+------------+
| 1001 | PEN | Pen Red | 1.23 |
| 1002 | PEN | Pen Blue | 1.25 |
| 1003 | PEN | Pen Black | 1.25 |
| 1004 | PEC | Pencil 2B | 0.48 |
| 1005 | PEC | Pencil 2H | 0.49 |
+------+------+-------------+------------+
Take note that the identifier "Unit Price" contains a blank and must be back-quoted.
Function CONCAT()
You can also concatenate a few columns as one (e.g., joining the last name and first name) using
function CONCAT(). For example,
mysql> SELECT CONCAT(productCode, ' - ', name) AS `Product Description`, price FROM
products;
+---------------------+-------+
| Product Description | price |
+---------------------+-------+
| PEN - Pen Red | 1.23 |
| PEN - Pen Blue | 1.25 |
| PEN - Pen Black | 1.25 |
| PEC - Pencil 2B | 0.48 |
| PEC - Pencil 2H | 0.49 |
+---------------------+-------+
GROUP BY Clause
The GROUP BY clause allows you to collapse multiple records with a common value into groups. For
example,
mysql> SELECT * FROM products ORDER BY productCode, productID;
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1004 | PEC | Pencil 2B | 10000 | 0.48 |
| 1005 | PEC | Pencil 2H | 8000 | 0.49 |
| 1001 | PEN | Pen Red | 5000 | 1.23 |
| 1002 | PEN | Pen Blue | 8000 | 1.25 |
| 1003 | PEN | Pen Black | 2000 | 1.25 |
+-----------+-------------+-----------+----------+-------+
mysql> SELECT * FROM products GROUP BY productCode;
-- Only first record in each group is shown
+-----------+-------------+-----------+----------+-------+
| productID | productCode | name | quantity | price |
+-----------+-------------+-----------+----------+-------+
| 1004 | PEC | Pencil 2B | 10000 | 0.48 |
| 1001 | PEN | Pen Red | 5000 | 1.23 |
+-----------+-------------+-----------+----------+-------+
GROUP BY by itself is not meaningfull. It is used together with GROUP BY aggregate functions (such
as COUNT(), AVG(), SUM()) to produce group summary.
GROUP BY Aggregate Functions: COUNT, MAX, MIN, AVG, SUM, STD, GROUP_CONCAT
We can apply GROUP BY Aggregate functions to each group to produce group summary report.
The function COUNT(*) returns the rows selected; COUNT(columnName) counts only the non-
NULL values of the given column. For example,
-- Function COUNT(*) returns the number of rows selected
mysql> SELECT COUNT(*) AS `Count` FROM products;
-- All rows without GROUP BY clause
+-------+
| Count |
+-------+
| 5 |
+-------+
HAVING clause
HAVING is similar to WHERE, but it can operate on the GROUP BY aggregate functions;
whereas WHERE operates only on columns.
mysql> SELECT
productCode AS `Product Code`,
COUNT(*) AS `Count`,
CAST(AVG(price) AS DECIMAL(7,2)) AS `Average`
FROM products
GROUP BY productCode
HAVING Count >=3;
-- CANNOT use WHERE count >= 3
+--------------+-------+---------+
| Product Code | Count | Average |
+--------------+-------+---------+
| PEN | 3 | 1.24 |
+--------------+-------+---------+
WITH ROLLUP
The WITH ROLLUP clause shows the summary of group summary, e.g.,
mysql> SELECT
productCode,
MAX(price),
MIN(price),
CAST(AVG(price) AS DECIMAL(7,2)) AS `Average`,
SUM(quantity)
FROM products
GROUP BY productCode
WITH ROLLUP; -- Apply aggregate functions to all groups
+-------------+------------+------------+---------+---------------+
| productCode | MAX(price) | MIN(price) | Average | SUM(quantity) |
+-------------+------------+------------+---------+---------------+
| PEC | 0.49 | 0.48 | 0.49 | 18000 |
| PEN | 1.25 | 1.23 | 1.24 | 15000 |
| NULL | 1.25 | 0.48 | 0.94 | 33000 |
+-------------+------------+------------+---------+---------------+
For example,
For example,
-- Use this with extreme care, as the deleted records are irrecoverable!
mysql> DELETE FROM products;
Query OK, 3 rows affected (0.00 sec)
\N,PEC,Pencil 3B,500,0.52
\N,PEC,Pencil 4B,200,0.62
\N,PEC,Pencil 5B,100,0.73
\N,PEC,Pencil 6B,500,0.47
Notes:
You need to provide the path (absolute or relative) and the filename. Use Unix-style forward-
slash '/' as the directory separator, instead of Windows-style back-slash '\'.
The default line delimiter (or end-of-line) is '\n' (Unix-style). If the text file is prepared in
Windows, you need to include LINES TERMINATED BY '\r\n'. For Mac, use LINES TERMINATED
BY '\r'.
The default column delimiter is "tab" (in a so-called TSV file - Tab-Separated Values). If you
use another delimiter, e.g. ',', include COLUMNS TERMINATED BY ','.
You must use \N (back-slash + uppercase 'N') for NULL.
mysqlimport Utility
You can also use the mysqlimport utility to load data from a text file. For example,
-- Syntax
> mysqlimport -u username -p --local databaseName tableName.tsv
-- The raw data must be kept in a TSV file of filename the same as tablename
> mysqlimport --help
-- Example
> mysqlimport -u username -p --local southwind d:/myproject/products_in.tsv
SELECT ... INTO OUTFILE ...
Complimenting LOAD DATA command, you can use SELECT ... INTO
OUTFILE fileName FROM tableName to export data from a table to a text file. For example,
mysql> SELECT * FROM products INTO OUTFILE 'd:/path-to/products_out.csv'
COLUMNS TERMINATED BY ','
LINES TERMINATED BY '\r\n';
Query OK, 4 rows affected (0.00 sec)
7. via the "batch mode" of the mysql client program, by re-directing the input from the script:
> mysql -u username -p southwind < d:\myproject\load_products.sql
Database: southwind
Table: products
productID productCode name quantity price
INT CHAR(3) VARCHAR(30) INT DECIMAL(10,2)
2001 PEC Pencil 3B 500 0.52
2002 PEC Pencil 4B 200 0.62
2003 PEC Pencil 5B 100 0.73
2004 PEC Pencil 6B 500 0.47
We need to first create the suppliers table, because the products table references
the suppliers table. The suppliers table is known as the parent table; while the products table is
known as the childtable in this relationship.
mysql> USE southwind;
SELECT with JOIN
SELECT command can be used to query and join data from two related tables. For example, to list the
product's name (in products table) and supplier's name (in suppliers table), we could join the two
table via the two common supplierID columns:
-- ANSI style: JOIN ... ON ...
mysql> SELECT products.name, price, suppliers.name
FROM products
JOIN suppliers ON products.supplierID = suppliers.supplierID
WHERE price < 0.6;
+-----------+-------+-------------+
| name | price | name |
+-----------+-------+-------------+
| Pencil 3B | 0.52 | ABC Traders |
| Pencil 6B | 0.47 | XYZ Company |
+-----------+-------+-------------+
-- Need to use products.name and suppliers.name to differentiate the two "names"
In the above query result, two of the columns have the same heading " name". We could
create aliases for headings.
-- Use aliases for column names for display
mysql> SELECT products.name AS `Product Name`, price, suppliers.name AS `Supplier
Name`
FROM products
JOIN suppliers ON products.supplierID = suppliers.supplierID
WHERE price < 0.6;
+--------------+-------+---------------+
| Product Name | price | Supplier Name |
+--------------+-------+---------------+
| Pencil 3B | 0.52 | ABC Traders |
| Pencil 6B | 0.47 | XYZ Company |
+--------------+-------+---------------+
3.2 Many-To-Many Relationship
Suppose that a product has many suppliers; and a supplier supplies many products in a so-called
many-to-many relationship. The above solution breaks. You cannot include the supplierID in
the productstable, as you cannot determine the number of suppliers, and hence, the number of
columns needed for the supplierIDs. Similarly, you cannot include the productID in
the suppliers table, as you cannot determine the number of products.
To resolve this problem, you need to create a new table, known as a junction table (or joint table), to
provide the linkage. Let's call the junction table products_suppliers, as illustrated.
Database: southwind
Table: products_suppliers
productID supplierID
INT INT
(Foreign Key) (Foreign Key)
2001 501
2002 501
2003 501
2004 502
2001 503
Database: southwind
Table: suppliers
supplierID name phone
INT VARCHAR(30) CHAR(8)
501 ABC Traders 88881111
502 XYZ Company 88882222
503 QQ Corp 88883333
Database: southwind
Table: products
productID productCode name quantity price
INT CHAR(3) VARCHAR(30) INT DECIMAL(10,2
2001 PEC Pencil 3B 500 0.52
2002 PEC Pencil 4B 200 0.62
2003 PEC Pencil 5B 100 0.73
2004 PEC Pencil 6B 500 0.47
Let's create the products_suppliers table. The primary key of the table consists of two
columns: productID and supplierID, as their combination uniquely identifies each rows. This
primary key is defined to ensure uniqueness. Two foreign keys are defined to set the constraint to
the two parent tables.
mysql> CREATE TABLE products_suppliers (
productID INT UNSIGNED NOT NULL,
supplierID INT UNSIGNED NOT NULL,
-- Same data types as the parent tables
PRIMARY KEY (productID, supplierID),
-- uniqueness
FOREIGN KEY (productID) REFERENCES products (productID),
FOREIGN KEY (supplierID) REFERENCES suppliers (supplierID)
);
Next, remove the supplierID column from the products table. (This column was added to establish
the one-to-many relationship. It is no longer needed in the many-to-many relationship.)
Before this column can be removed, you need to remove the foreign key that builds on this column.
To remove a key in MySQL, you need to know its constraint name, which was generated by the
system. To find the constraint name, issue a " SHOW CREATE TABLE products" and take note of the
foreign key's constraint name in the clause " CONSTRAINT constraint_name FOREIGN KEY .... ". You
can then drop the foreign key using " ALTER TABLE products DROP FOREIGN
KEY constraint_name"
mysql> SHOW CREATE TABLE products \G
Create Table: CREATE TABLE `products` (
`productID` int(10) unsigned NOT NULL AUTO_INCREMENT,
`productCode` char(3) NOT NULL DEFAULT '',
`name` varchar(30) NOT NULL DEFAULT '',
`quantity` int(10) unsigned NOT NULL DEFAULT '0',
`price` decimal(7,2) NOT NULL DEFAULT '99999.99',
`supplierID` int(10) unsigned NOT NULL DEFAULT '501',
PRIMARY KEY (`productID`),
KEY `supplierID` (`supplierID`),
CONSTRAINT `products_ibfk_1` FOREIGN KEY (`supplierID`)
REFERENCES `suppliers` (`supplierID`)
) ENGINE=InnoDB AUTO_INCREMENT=1006 DEFAULT CHARSET=latin1
Querying
Similarly, we can use SELECT with JOIN to query data from the 3 tables, for examples,
mysql> SELECT products.name AS `Product Name`, price, suppliers.name AS `Supplier
Name`
FROM products_suppliers
JOIN products ON products_suppliers.productID = products.productID
JOIN suppliers ON products_suppliers.supplierID = suppliers.supplierID
WHERE price < 0.6;
+--------------+-------+---------------+
| Product Name | price | Supplier Name |
+--------------+-------+---------------+
| Pencil 3B | 0.52 | ABC Traders |
| Pencil 3B | 0.52 | QQ Corp |
| Pencil 6B | 0.47 | XYZ Company |
+--------------+-------+---------------+
7. via the "batch mode" of the mysql client program by re-directing the input from the script:
> mysql -u username -p southwind < d:\myproject\backup_southwind.sql
We define the foreign key when defining the child table, which references a parent table, as follows:
-- Try deleting a row from parent table with matching rows in the child table
mysql> DELETE FROM suppliers WHERE supplierID = 501;
ERROR 1451 (23000): Cannot delete or update a parent row: a foreign key constraint
fails
(`southwind`.`products_suppliers`, CONSTRAINT `products_suppliers_ibfk_2`
FOREIGN KEY (`supplierID`) REFERENCES `suppliers` (`supplierID`))
The record cannot be deleted as the default "ON DELETE RESTRICT" constraint was imposed.
4.3 Indexes (or Keys)
Indexes (or Keys) can be created on selected column(s) to facilitate fast search. Without index, a
"SELECT * FROM products WHERE productID= x" needs to match with the productID column of all
the records in the products table. If productID column is indexed (e.g., using a binary tree), the
matching can be greatly improved (via the binary tree search).
You should index columns which are frequently used in the WHERE clause; and as JOIN columns.
The drawback about indexing is cost and space. Building and maintaining indexes require
computations and memory spaces. Indexes facilitate fast search but deplete the performance on
modifying the table (INSERT/UPDATE/DELETE), and need to be justified. Nevertheless, relational
databases are typically optimized for queries and retrievals, but NOT for updates.
In MySQL, the keyword KEY is synonym to INDEX.
There can be more than one indexes in a table. Index are automatically built on the primary-key
column(s).
You can build index via CREATE TABLE, CREATE INDEX or ALTER TABLE.
CREATE TABLE tableName (
......
[UNIQUE] INDEX|KEY indexName (columnName, ...),
-- The optional keyword UNIQUE ensures that all values in this column are
distinct
-- KEY is synonym to INDEX
......
PRIMAY KEY (columnName, ...) -- Index automatically built on PRIMARY KEY column
);
Example
mysql> CREATE TABLE employees (
emp_no INT UNSIGNED NOT NULL AUTO_INCREMENT,
name VARCHAR(50) NOT NULL,
gender ENUM ('M','F') NOT NULL,
birth_date DATE NOT NULL,
hire_date DATE NOT NULL,
PRIMARY KEY (emp_no) -- Index built automatically on primary-key column
);
5. More SQL
5.1 Sub-Query
Results of one query can be used in another SQL statement. Subquery is useful if more than one
tables are involved.
SELECT with Subquery
In the previous many-to-many product sales example, how to find the suppliers that do not supply
any product? You can query for the suppliers that supply at least one product in
the products_supplierstable, and then query the suppliers table for those that are not in the
previous result set.
With date/time data types, you can sort the results by date, search for a particular date or a range of
dates, calculate the difference between dates, compute a new date by adding/subtracting an interval
from a given date.
Date By Example
Let's begin with Date (without Time) with the following example. Take note that date value must be
written as a string in the format of 'yyyy-mm-dd', e.g., '2012-01-31'.
-- Create a table 'patients' of a clinic
mysql> CREATE TABLE patients (
patientID INT UNSIGNED NOT NULL AUTO_INCREMENT,
name VARCHAR(30) NOT NULL DEFAULT '',
dateOfBirth DATE NOT NULL,
lastVisitDate DATE NOT NULL,
nextVisitDate DATE NULL,
-- The 'Date' type contains a date value in 'yyyy-mm-dd'
PRIMARY KEY (patientID)
);
-- Select patients who were born in a particular year and sort by birth-month
-- Function YEAR(date), MONTH(date), DAY(date) returns
-- the year, month, day part of the given date
mysql> SELECT * FROM patients
WHERE YEAR(dateOfBirth) = 2011
ORDER BY MONTH(dateOfBirth), DAY(dateOfBirth);
+-----------+-------+-------------+---------------+---------------+
| patientID | name | dateOfBirth | lastVisitDate | nextVisitDate |
+-----------+-------+-------------+---------------+---------------+
| 1003 | Ali | 2011-01-30 | 2012-10-21 | NULL |
| 1002 | Kumar | 2011-10-29 | 2012-09-20 | NULL |
+-----------+-------+-------------+---------------+---------------+
Date/Time Functions
MySQL provides these built-in functions for getting the current date, time and datetime:
NOW(): returns the current date and time in the format of 'YYYY-MM-DD HH:MM:SS'.
CURDATE() (or CURRENT_DATE(), or CURRENT_DATE): returns the current date in the format
of 'YYYY-MM-DD'.
CURTIME() (or CURRENT_TIME(), or CURRENT_TIME): returns the current time in the format
of 'HH:MM:SS'.
For examples,
+-------------+--------------+------------+-------------+---------------
+---------------+
Extracting
infomation: DAYNAME() (e.g., 'Monday'), MONTHNAME() (e.g., 'March'), DAYOFWEEK() (1=Sunday,
…, 7=Saturday), DAYOFYEAR() (1-366), ...
mysql> SELECT DAYNAME(NOW()), MONTHNAME(NOW()), DAYOFWEEK(NOW()),
DAYOFYEAR(NOW());
+----------------+------------------+------------------+------------------+
| DAYNAME(NOW()) | MONTHNAME(NOW()) | DAYOFWEEK(NOW()) | DAYOFYEAR(NOW()) |
+----------------+------------------+------------------+------------------+
| Wednesday | October | 4 | 298 |
+----------------+------------------+------------------+------------------+
2011-11-30
Computing
interval: DATEDIFF(end_date, start_date), TIMEDIFF(end_time, start_time), TIME
STAMPDIFF(unit, start_timestamp, end_timestamp), e.g.,
mysql> SELECT DATEDIFF('2012-02-01', '2012-01-28');
4
mysql> SELECT TIMESTAMPDIFF(DAY, '2012-02-01', '2012-01-28');
-4
2012-02-01
Formatting: DATE_FORMAT(date, formatSpecifier), e.g.,
mysql> SELECT DATE_FORMAT('2012-01-01', '%W %D %M %Y');
Sunday 1st January 2012
-- %W: Weekday name
-- %D: Day with suffix
-- %M: Month name
-- %Y: 4-digit year
-- The format specifiers are case-sensitive
mysql> SELECT DATE_FORMAT('2011-12-31 23:59:30', '%W %D %M %Y %r');
Saturday 31st December 2011 11:59:30 PM
-- %r: Time in 12-hour format with suffix AM/PM
Example
1. Create a table with various date/time columns. Only the TIMESTAMP column can have
the DEFAULT CURRENT_TIMESTAMP and ON UPDATE CURRENT_TIMESTAMP.
2. mysql> CREATE TABLE IF NOT EXISTS `datetime_arena` (
3. `description` VARCHAR(50) DEFAULT NULL,
4. `cDateTime` DATETIME DEFAULT '0000-00-00 00:00:00',
5. `cDate` DATE DEFAULT '0000-00-00',
6. `cTime` TIME DEFAULT '00:00:00',
7. `cYear` YEAR DEFAULT '0000',
8. `cYear2` YEAR(2) DEFAULT '00',
9. `cTimeStamp` TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE
CURRENT_TIMESTAMP
10. );
11.
12. mysql> DESCRIBE `datetime_arena`;
13. +-------------+-------------+------+-----+---------------------
+-----------------------------+
14. | Field | Type | Null | Key | Default | Extra
|
15. +-------------+-------------+------+-----+---------------------
+-----------------------------+
16. | description | varchar(50) | YES | | NULL |
|
17. | cDateTime | datetime | YES | | 0000-00-00 00:00:00 |
|
18. | cDate | date | YES | | 0000-00-00 |
|
19. | cTime | time | YES | | 00:00:00 |
|
20. | cYear | year(4) | YES | | 0000 |
|
21. | cYear2 | year(2) | YES | | 00 |
|
22. | cTimeStamp | timestamp | NO | | CURRENT_TIMESTAMP | on update
CURRENT_TIMESTAMP |
+-------------+-------------+------+-----+---------------------
+-----------------------------+
+--------------+---------------------+------------+----------+-------+--------
+---------------------+
+--------------+---------------------+------------+----------+-------+--------
+---------------------+
+--------------------+---------------------+------------+----------+-------
+--------+---------------------+
53. Insert invalid or out-of-range values. MySQL replaces with all zeros.
+-------------+---------------------+------------+----------+-------+--------
+---------------------+
+------------+---------------------------+----------------------------+
5.3 View
A view is a virtual table that contains no physical data. It provide an alternative way to look at the
data.
Example
-- Define a VIEW called supplier_view from products, suppliers and products_suppliers
tables
mysql> CREATE VIEW supplier_view
AS
SELECT suppliers.name as `Supplier Name`, products.name as `Product Name`
FROM products
JOIN suppliers ON products.productID = products_suppliers.productID
JOIN products_suppliers ON suppliers.supplierID =
products_suppliers.supplierID;
Example
mysql> DROP VIEW IF EXISTS patient_view;
5.4 Transactions
A atomic transaction is a set of SQL statements that either ALL succeed or ALL fail. Transaction is
important to ensure that there is no partial update to the database, given an atomic of SQL
statements. Transactions are carried out via COMMIT and ROLLBACK.
Example
mysql> CREATE TABLE accounts (
name VARCHAR(30),
balance DECIMAL(10,2)
);
If you start another mysql client and do a SELECT during the transaction (before the commit or
rollback), you will not see the changes.
Alternatively, you can also disable the so-called autocommit mode, which is set by default and
commit every single SQL statement.
-- Disable autocommit by setting it to false (0)
mysql> SET autocommit = 0;
mysql> UPDATE accounts SET balance = balance - 100 WHERE name = 'Paul';
mysql> UPDATE accounts SET balance = balance + 100 WHERE name = 'Peter';
mysql> COMMIT;
mysql> SELECT * FROM accounts;
+-------+---------+
| name | balance |
+-------+---------+
| Paul | 800.00 |
| Peter | 2200.00 |
+-------+---------+
mysql> UPDATE accounts SET balance = balance - 100 WHERE name = 'Paul';
mysql> UPDATE accounts SET balance = balance + 100 WHERE name = 'Peter';
mysql> ROLLBACK;
mysql> SELECT * FROM accounts;
+-------+---------+
| name | balance |
+-------+---------+
| Paul | 800.00 |
| Peter | 2200.00 |
+-------+---------+
A transaction groups a set of operations into a unit that meets the ACID test:
1. Atomicity: If all the operations succeed, changes are committed to the database. If any of the
operations fails, the entire transaction is rolled back, and no change is made to the database.
In other words, there is no partial update.
2. Consistency: A transaction transform the database from one consistent state to another
consistent state.
3. Isolation: Changes to a transaction are not visible to another transaction until they are
committed.
4. Durability: Committed changes are durable and never lost.
5.5 User Variables
In MySQL, you can define user variables via:
1. @varname :=value in a SELECT command, or
2. SET @varname := value or SET @varname = value command.
For examples,
6. More on JOIN
6.1 INNER JOIN
In an inner join of two tables, each row of the first table is combined (joined) with every row of
second table. Suppose that there are n1 rows in the first table and n2 rows in the second table, INNER
JOINproduces all combinations of n1×n2 rows - it is known as Cartesian Product or Cross Product.
Example
mysql> DROP TABLE IF EXISTS t1, t2;
mysql> SELECT *
FROM t1 INNER JOIN t2;
+----+------------+----+------------+
| id | desc | id | desc |
+----+------------+----+------------+
| 1 | ID 1 in t1 | 2 | ID 2 in t2 |
| 2 | ID 2 in t1 | 2 | ID 2 in t2 |
| 3 | ID 3 in t1 | 2 | ID 2 in t2 |
| 1 | ID 1 in t1 | 3 | ID 3 in t2 |
| 2 | ID 2 in t1 | 3 | ID 3 in t2 |
| 3 | ID 3 in t1 | 3 | ID 3 in t2 |
| 1 | ID 1 in t1 | 4 | ID 4 in t2 |
| 2 | ID 2 in t1 | 4 | ID 4 in t2 |
| 3 | ID 3 in t1 | 4 | ID 4 in t2 |
+----+------------+----+------------+
-- SELECT all columns in t1 and t2 (*)
-- INNER JOIN produces ALL combinations of rows in t1 and t2
mysql> SELECT *
FROM t1 INNER JOIN t2 ON t1.id = t2.id;
mysql> SELECT *
FROM t1 JOIN t2 ON t1.id = t2.id; -- default JOIN is INNER JOIN
mysql> SELECT *
FROM t1 CROSS JOIN t2 ON t1.id = t2.id; -- Also called CROSS JOIN
-- You can use USING clause if the join-columns have the same name
mysql> SELECT *
FROM t1 INNER JOIN t2 USING (id);
+----+------------+------------+
| id | desc | desc |
+----+------------+------------+
| 2 | ID 2 in t1 | ID 2 in t2 |
| 3 | ID 3 in t1 | ID 3 in t2 |
+----+------------+------------+
-- Only 3 columns in the result set, instead of 4 columns with ON clause
mysql> SELECT *
FROM t1 INNER JOIN t2 WHERE t1.id = t2.id; -- Use WHERE instead of ON
mysql> SELECT *
FROM t1, t2 WHERE t1.id = t2.id; -- Use "commas" operator to join
6.2 OUTER JOIN - LEFT JOIN and RIGHT JOIN
INNER JOIN with constrain (ON or USING) produces rows that are found in both tables. On the other
hand, OUTER JOIN can produce rows that are in one table, but not in another table. There are two
kinds of OUTER JOINs: LEFT JOIN produces rows that are in the left table, but may not in the right
table; whereas RIGHT JOIN produces rows that are in the right table but may not in the left table.
In a LEFT JOIN, when a row in the left table does not match with the right table, it is still selected but
by combining with a "fake" record of all NULLs for the right table.
mysql> SELECT *
FROM t1 LEFT JOIN t2 ON t1.id = t2.id;
+----+------------+------+------------+
| id | desc | id | desc |
+----+------------+------+------------+
| 1 | ID 1 in t1 | NULL | NULL |
| 2 | ID 2 in t1 | 2 | ID 2 in t2 |
| 3 | ID 3 in t1 | 3 | ID 3 in t2 |
+----+------------+------+------------+
mysql> SELECT *
FROM t1 LEFT JOIN t2 USING (id);
+----+------------+------------+
| id | desc | desc |
+----+------------+------------+
| 1 | ID 1 in t1 | NULL |
| 2 | ID 2 in t1 | ID 2 in t2 |
| 3 | ID 3 in t1 | ID 3 in t2 |
+----+------------+------------+
mysql> SELECT *
FROM t1 RIGHT JOIN t2 ON t1.id = t2.id;
+------+------------+----+------------+
| id | desc | id | desc |
+------+------------+----+------------+
| 2 | ID 2 in t1 | 2 | ID 2 in t2 |
| 3 | ID 3 in t1 | 3 | ID 3 in t2 |
| NULL | NULL | 4 | ID 4 in t2 |
+------+------------+----+------------+
mysql> SELECT *
FROM t1 RIGHT JOIN t2 USING (id);
+----+------------+------------+
| id | desc | desc |
+----+------------+------------+
| 2 | ID 2 in t2 | ID 2 in t1 |
| 3 | ID 3 in t2 | ID 3 in t1 |
| 4 | ID 4 in t2 | NULL |
+----+------------+------------+
As the result, LEFT JOIN ensures that the result set contains every row on the left table. This is
important, as in some queries, you are interested to have result on every row on the left table, with
no match in the right table, e.g., searching for items without supplier. For example,
mysql> SELECT t1.id, t1.desc
FROM t1 LEFT JOIN t2 USING (id)
WHERE t2.id IS NULL;
+----+------------+
| id | desc |
+----+------------+
| 1 | ID 1 in t1 |
+----+------------+
mysql> SELECT *
FROM t1 LEFT JOIN t2 ON t1.id = t2.id;
mysql> SELECT *
FROM t1 LEFT OUTER JOIN t2 ON t1.id = t2.id;
mysql> SELECT *
FROM t1 LEFT JOIN t2 USING (id); -- join-columns have same name
+----+------------+------------+
| id | desc | desc |
+----+------------+------------+
| 1 | ID 1 in t1 | NULL |
| 2 | ID 2 in t1 | ID 2 in t2 |
| 3 | ID 3 in t1 | ID 3 in t2 |
+----+------------+------------+
7. Exercises
7.1 Rental System
Peter runs a small car rental company with 10 cars and 5 trucks. He engages you to design a web
portal to put his operation online.
For the initial phase, the web portal shall provide these basic functions:
1. Maintaining the records of the vehicles and customers.
2. Inquiring about the availability of vehicle, and
3. Reserving a vehicle for rental.
A customer can rental a vehicle from a start date to an end date. A special customer discount,
ranging from 0-50%, can be given to preferred customers.
Database
The initial database contains 3 tables: vehicles, customers, and rental_records.
The rental_records is a junction table supporting many-to-many relationship
between vehicles and customers.
Exercises
1. Customer 'Tan Ah Teck' has rented 'SBA1111A' from today for 10 days. (Hint: You need to
insert a rental record. Use a SELECT subquery to get the customer_id.
Use CURDATE() (or NOW()) for today; and DATE_ADD(CURDATE(), INTERVAL x unit) to
compute a future date.)
NULL);
10. SELECT
11. r.start_date AS `Start Date`,
12. r.end_date AS `End Date`,
13. r.veh_reg_no AS `Vehicle No`,
14. v.brand AS `Vehicle Brand`,
15. c.name AS `Customer Name`
16. FROM rental_records AS r
17. INNER JOIN vehicles AS v USING (veh_reg_no)
18. INNER JOIN customers AS c USING (customer_id)
25. Similarly, list the vehicles available for rental from today for 10 days.
26. Foreign Key Test:
1. Try deleting a parant row with matching row(s) in child table(s), e.g.,
delete 'GA6666F' from vehicles table (ON DELETE RESTRICT).
2. Try updating a parent row with matching row(s) in child table(s), e.g.,
rename 'GA6666F' to 'GA9999F' in vehicles table. Check the effects on the child
table rental_records (ON UPDATE CASCADE).
3. Remove 'GA6666F' from the database (Hints: Remove it from child
table rental_records; then parent table vehicles.)
b. Payments: A rental could be paid over a number of payments (e.g., deposit, installments, full
payment). Each payment is for one rental. Create a new table called payments. Need to create
columns to facilitate proper audit check (such
as create_date, create_by, last_update_date, last_update_by, etc.)
x. Staff: Keeping track of staff serving the customers. Create a new staff table. Assume that
each transaction is handled by one staff, we can add a new column called staff_id in
the rental_recordstable,
Advanced Exercises
1. Adding Photo: We could store photo in MySQL using data type of BLOB (Binary Large Object)
(up to 64KB), MEDIUMBLOB (up to 16MBytes), LONGBOLB (up to 4GBytes). For example,
2. -- Use function LOAD_FILE to load a picture file into a BLOB field
3. UPDATE vehicles SET photo=LOAD_FILE('d:/temp/car.jpg') WHERE veh_reg_no =
'SBA1111A';
You can conveniently load and view the photo via graphical tools such as MySQL Workbench.
To load a image in MySQL Workbench ⇒ right-click on the cell ⇒ Load Value From File ⇒
Select the image file. To view the image ⇒ right-click on the BLOB cell ⇒ Open Value in Editor
⇒ choose "Image" pane.
I also include a Java program for reading and writing image BLOB from/to the database, based
on this example: "TestImageBLOB.java".
4. VIEW: Create a VIEW called rental_prices on the rental_records with an additional column
called price. Show all the records of the VIEW.
It is probably easier to compute the price using a program/procedure, instead of inside the
view.
32. From the payments table, create a view to show the outstanding balance.
33. Define more views.
34. FUNCTION: Write a function to compute the rental price.
35. Define more procedures and functions.
36. TRIGGER: Write a trigger for the created_date and created_by columns of
the payments table.
37. Define more triggers.
38. Implement discount on weekday (Monday to Friday, except public holiday): Need to set up a
new table called public_hoilday with columns date and description. Use
function DAYOFWEEK(1=Sunday, …, 7=Saturday) to check for weekday or weekend.
39. -- pseudocode for calculating rental price
40. price = 0;
41. for each date from start_date to end_date {
42. if date is weekend or public_holiday, price += daily_rate;
43. else price += daily_rate*(1-discount);
44. }
45. if (duration >= 7) price *= (1 - long_duration_discount);
price *= (1 - perferred_customer_discount);