CS2001T: DATABASE MANAGEMENT
SYSTEMS
      CS2801T DBMS LAB
Dr.S.Veeramani/CSE, SNU, Chennai
                               Course Objective
• To learn the fundamentals of data models and to represent a database
 system using ER diagrams.
• To study SQL and relational database design.
• To understand the internal storage structures using different file and
 indexing techniques which will help in physical DB design.
• To understand the fundamental concepts of transaction processing-
 concurrency control techniques and recovery procedures.
• To have an introductory knowledge about the Storage and Query
 processing Techniques
                           Course Outcome
• CO1. Classify the modern and futuristic database applications
  based on size and complexity
• CO2. Map ER model to Relational model to perform database
  design effectively
• CO3. Write queries using normalization criteria and optimize
  queries
• CO4. Compare and contrast various indexing strategies in different
  database systems
• CO5. Appraise how advanced databases differ from traditional
  databases.
                    Textbooks / References
•TEXTBOOK:
•Abraham Silberschatz, Henry F. Korth, S. Sudharshan,
 “Database System Concepts”,Sixth Edition, Tata McGraw
 Hill, 2011.
•Ramez Elmasri, Shamkant B. Navathe, “Fundamentals of
 Database Systems”, Sixth Edition, Pearson, 2011.
                                              Syllabus
CONCEPTUAL DATA MODELING
Database environment – Database system development lifecycle – Requirements collection –Database
design - Entity-Relationship model – Enhanced-ER model – UML class diagrams.
RELATIONAL MODEL AND SQL
Relational model concepts - Integrity constraints - SQL Data manipulation – SQL Data definition –
Views - SQL programming.
RELATIONAL DATABASE DESIGN AND NORMALIZATION
ER and EER-to-Relational mapping – Update anomalies – Functional dependencies – Inference rules –
Minimal cover – Properties of relational decomposition – Normalization (upto BCNF).
TRANSACTIONS
Transaction Concepts – ACID Properties – Schedules – Serializability – Concurrency Control – Need for
Concurrency – Locking Protocols – Two Phase Locking – Deadlock – Transaction Recovery - Save Points
– Isolation Levels – SQL Facilities for Concurrency and Recovery.
NO-SQL DATABASES
No-SQL: CAP theorem – Document-based: MongoDB data model and CRUD operations; Column-
based: Hbase data model and CRUD operations.
                                      UNIT II
RELATIONAL MODEL AND SQL
Relational model concepts - Integrity constraints - SQL Data manipulation – SQL Data
definition –Views - SQL programming.
• CREATE TABLE table_name( Col_name1 datatype(), Col_name2 datatype(),… Col_namen datatype(), );
• E.g
• CREATE TABLE DDL ( id int, DDL_Type varchar(50), DDL_Value int );
• ALTER TABLE table_name ADD Col_name datatype()...;
• E.g)
• ALTER TABLE DDL ADD COLUMN DDL_Example varchar(50);
• ALTER TABLE table_name DROP COLUMN column_name
• ALTER TABLE DDL DROP COLUMN DDL_Example
• ALTER TABLE table_name MODIFY column_name NEW_DATA_TYPE; (Change data type)
• DROP Table table_name;
• TRUNCATE TABLE table_name;
• RENAME table table_name to new_table_name
• E.g)
• RENAME table DDL to DD;
• INSERT INTO Table_Name VALUES();
• E.g)
• INSERT INTO DDL (id, DDL_Type, DDL_Value) VALUES (2, 'DML', 123);
• UPDATE <table name> set to(calculation);
• E.g)
• UPDATE ddl SET DDL_Value = 555 WHERE DDL_Type = 'DML';
• DELETE FROM <table_name>
• E.g)
• DELETE FROM DDL;
• SELECT column1, column2, ...
  FROM table_name
  WHERE condition;
• E.g)
• SELECT * FROM Customers
  WHERE Country='Mexico’;
• SELECT * FROM Customers
  WHERE CustomerID > 80;
                       SQL Integrity Constraints
• SQL constraints are used to specify rules for the data in a table.
• Constraints are used to limit the type of data that can go into a
  table
•NOT NULL - Ensures that a column cannot have a NULL value
•UNIQUE - Ensures that all values in a column are different
•PRIMARY KEY - A combination of a NOT NULL and UNIQUE.
•FOREIGN KEY - Prevents actions that would destroy links between
tables
•CHECK - Ensures that the values in a column satisfies a specific
condition
•DEFAULT - Sets a default value for a column if no value is specified
•   Rollback
•   UPDATE STUDENT
•   SET NAME = ‘Sherlock’
•   WHERE STUDENT_NAME = ‘Jolly’;
•   Rollback;
                        Transaction Control Language
The TCL commands are:
COMMIT
ROLLBACK
SAVEPOINT
UPDATE STUDENT
SET NAME = ‘Sherlock’
WHERE NAME = ‘Jolly’;
COMMIT;
UPDATE NAME
SET NAME= ‘Rossie’
WHERE marks= 70;
SAVEPOINT A;
INSERT INTO STUDENT
VALUES (‘Zack’, 76);
Savepoint B;
INSERT INTO STUDENT
VALUES (‘Bruno’, 85);
Savepoint C;
SELECT *
FROM STUDENT;
• Rollback to B;
• Rollback to A;
•   Rollback
•   UPDATE STUDENT
•   SET NAME = ‘Sherlock’
•   WHERE STUDENT_NAME = ‘Jolly’;
•   Rollback;
                       SQL Integrity Constraints
• SQL constraints are used to specify rules for the data in a table.
• Constraints are used to limit the type of data that can go into a
  table
•NOT NULL - Ensures that a column cannot have a NULL value
•UNIQUE - Ensures that all values in a column are different
•PRIMARY KEY - A combination of a NOT NULL and UNIQUE.
•FOREIGN KEY - Prevents actions that would destroy links between
tables
•CHECK - Ensures that the values in a column satisfies a specific
condition
•DEFAULT - Sets a default value for a column if no value is specified
                              NOT NULL
• CREATE TABLE Persons (
      ID int NOT NULL,
      LastName varchar(255) NOT NULL,
      FirstName varchar(255) NOT NULL,
      Age int
  );
                               UNIQUE
• CREATE TABLE Persons (
      ID int NOT NULL,
      LastName varchar(255) NOT NULL,
      FirstName varchar(255),
      Age int,
      UNIQUE (ID)
  );
                            PRIMARY KEY
• CREATE TABLE Persons (
      ID int NOT NULL,
      LastName varchar(255) NOT NULL,
      FirstName varchar(255),
      Age int,
      PRIMARY KEY (ID)
  );
FOREIGN KEY
                             FOREIGN KEY
• Persons Table(PersonID, Name, Age)
• CREATE TABLE Orders (
      OrderID int NOT NULL,
      OrderNumber int NOT NULL,
      PersonID int,
      PRIMARY KEY (OrderID),
      FOREIGN KEY (PersonID) REFERENCES Persons(PersonID)
  );
Student (
FOREIGN KEY (SID) REFERENCES School(SID) on delete
cascade )
                               CHECK
• CREATE TABLE Persons (
      ID int NOT NULL,
      LastName varchar(255) NOT NULL,
      FirstName varchar(255),
      Age int,
      CHECK (Age>=18)
  );
                              DEFAULT
• CREATE TABLE Persons (
      ID int NOT NULL,
      LastName varchar(255) NOT NULL,
      FirstName varchar(255),
      Age int,
      City varchar(255) DEFAULT 'Sandnes'
  );
CREATE TABLE Stud (ID int NOT NULL,
Name varchar(255),Age int, Location varchar(255) DEFAULT 'Noida’);
INSERT INTO Stud VALUES (4, 'Mira', 23, 'Delhi');
INSERT INTO Stud VALUES (5, 'Hema', 27,DEFAULT);
INSERT INTO Stud VALUES (6, 'Neha', 25, 'Delhi');
INSERT INTO Stud VALUES (7, 'Khushi', 26,DEFAULT);
                   Set Operations
•   Union
•   Union all
•   Intersection
•   Minus
SELECT * FROM First
UNION
SELECT * FROM Second;
SELECT * FROM First
UNION ALL
SELECT * FROM Second;
SELECT * FROM First
INTERSECT
SELECT * FROM Second;
SELECT * FROM First
MINUS
SELECT * FROM Second;
                            Aggregate Function
• An aggregate function in SQL returns one value after calculating multiple values
  of a column
•   Count()
•   Sum()
•   Avg()
•   Min()
•   Max()
SELECT AVG (salary) FROM employees;
SELECT MIN(salary) FROM employees;
SELECT MAX (salary) FROM employees;
SELECT SUM (salary) FROM employees;
SELECT SUM (salary) AS Total_Salary FROM employees;
SELECT COUNT(empid) FROM employees; // ignore null value
SELECT COUNT(*) FROM employees; // count total no of rows
                              Rename
Rename table
ALTER TABLE table_name RENAME TO new_table_name;
E.g) ALTER TABLE std RENAME TO students;
Rename attribute
ALTER TABLE table_name RENAME COLUMN old_name TO new_name;
E.g)
ALTER TABLE student RENAME COLUMN sname TO name;
• SELECT CustomerID AS ID, CustomerName AS Customer
  FROM Customers;
• SELECT o.OrderID, o.OrderDate, c.CustomerName
  FROM Customers AS c, Orders AS o
  WHERE c.CustomerName="Around the
  Horn" AND c.CustomerID=o.CustomerID;
• SELECT DISTINCT
• used to return only distinct (different) values
SELECT DISCTINCT (NAME) FROM Customers;
• ORDER BY
• used to sort the result-set in ascending or descending order.
• SELECT * FROM Customers
  ORDER BY Country
• SELECT * FROM Customers
  ORDER BY Country ASC
• SELECT * FROM Customers
  ORDER BY Country ASC, CustomerName DESC;
•   LIKE ( % and _)
•   filter SQL records on specific string matches
•   SELECT first_name FROM employees WHERE first_name LIKE ‘A%’ (start with)
•   SELECT first_name FROM employees WHERE first_name LIKE 'Adam%’
•   ELECT first_name FROM employees WHERE first_name LIKE '%ann’ (ends with)
•   SELECT first_name FROM employees WHERE first_name LIKE '___’
•   SELECT title FROM titles WHERE title NOT LIKE 'Staff’
•   SELECT title FROM titles WHERE title NOT LIKE '%engineer’
•   SELECT first_name, last_name FROM employees WHERE first_name LIKE 'Z%' AND
    last_name LIKE 'Z%'
• -- select customers whose last_name starts with R and ends with t
• -- or customers whose last_name ends with e
• SELECT *
• FROM Customers
• WHERE last_name LIKE 'R%t' OR last_name LIKE '%e';
• BETWEEN
• selects values within a given range
SELECT * FROM Products
WHERE Price BETWEEN 10 AND 20;
GROUP BY
groups rows that have the same values into summary rows
often used with aggregate functions
SELECT COUNT(CustomerID), Country FROM Customers GROUP BY Country;
• SELECT Dept, SUM(Salary) AS TotalSalary FROM Employee GROUP BY Dept;
• HAVING
• WHERE keyword cannot be used with aggregate functions
• lists the number of customers in each country. Only include countries
  with more than 5 customers?
• SELECT COUNT(CustomerID), Country FROM Customers
  GROUP BY Country
  HAVING COUNT(CustomerID) > 5;
• lists the number of customers in each country, sorted high to low (Only
  include countries with more than 5 customers)
• SELECT COUNT(CustomerID), Country FROM Customers
  GROUP BY Country
  HAVING COUNT(CustomerID) > 5
  ORDER BY COUNT(CustomerID) DESC;
•   IN
•   allows you to specify multiple values in a WHERE clause
•   selects all customers that are located in "Germany", "France" or "UK?
•   SELECT * FROM Customers
    WHERE Country IN ('Germany', 'France', 'UK’);
• SELECT * FROM Customers
  WHERE Country NOT IN ('Germany', 'France', 'UK’);
• SELECT * FROM Customers
  WHERE Country IN (SELECT Country FROM Suppliers);
• The EXISTS condition in SQL is used to check whether the result of a correlated nested
  query is empty (contains no tuples) or not. The result of EXISTS is a boolean value True
  or False
• SELECT fname, lname FROM Customers WHERE EXISTS (SELECT *                  FROM
  Orders WHERE Customers.customer_id = Orders.customer_id);
                        Limit and Offset
• Limit: Specifies the maximum number of rows to return.
• Offset: Skips a specified number of rows before starting to return
  rows
• E.g: SELECT * FROM students LIMIT 5; // display top 5 rows only
• E.g: SELECT * FROM students LIMIT 5 OFFSET 10; // display from
  row 11 to 15
                                                      JOIN
• Combine rows from two or more tables, based on a related column between them.
• Natural Join
  – Joins two tables based on same attribute name and datatypes based on implicit condition
• INNER JOIN
  – Returns records that have matching values in both tables based on explicit condition
• LEFT OUTER JOIN
  – Returns all records from the left table, and the matched records from the right table
• RIGHT OUTER JOIN
  – Returns all records from the right table, and the matched records from the left table
• FULL OUTER JOIN
  – Returns all records when there is a match in either left or right table
  CROSS JOIN also known as Cartesian join (every possible combination)
  SELF JOIN compare rows within the same table
• Inner join: What records have matching values in both tables?
• E.g) Which students have enrolled in courses?
• Left Join: What records from the left table have or don’t have matches in the
  right table?“
• E.g List all students and their assigned advisors, even if some students don't
  have one
• Right join: What records from the right table have or don’t have matches in
  the left table?
• Full Join: What records exist in either table, regardless of matches?“
• Cross Join: What are all possible combinations between two tables?“
• Self Join: How do records in the same table relate to each other?"
                                    Natural Join
• Natural Join joins two tables based on same attribute name and datatypes.
• The resulting table will contain all the attributes of both the table but keep only
  one copy of each common column.
CROSS JOIN   Select * from table1 cross join table2
SELF JOIN
• The INNER JOIN keyword selects all rows from both the tables as long as the
  condition is satisfied
• The resulting table will contain all the attributes from both the tables including
  common column also
• NATURAL JOIN
• SELECT * FROM Employee NATURAL JOIN Department;
• INNER JOIN
• LEFT JOIN
• RIGHT JOIN
• FULL JOIN
SELF JOIN
                                             VIEW
• Views in SQL are kind of virtual tables.
• It stores structure information
• A View can either have all the rows of a table or specific rows based on certain condition
• Security
• Simplify complex query
• Syntax
• CREATE [OR REPLACE] VIEW view_name AS
  SELECT column1, column2, ...
  FROM table_name
  WHERE condition;
• E.g)
• CREATE VIEW Brazil_Customers AS
  SELECT CustomerName, ContactName
  FROM Customers
  WHERE Country = 'Brazil’;
• Select * from Brazil_Customers;
 Using Multiple table
CREATE VIEW MarksView AS
SELECT StudentDetails.NAME, StudentDetails.ADDRESS, StudentMarks.MARKS
FROM StudentDetails, StudentMarks
WHERE StudentDetails.NAME = StudentMarks.NAME;
• Using CREATE OR REPLACE
CREATE OR REPLACE VIEW Brazil_Customers AS
SELECT CustomerName, ContactName, City
FROM Customers
WHERE Country = "Brazil";
Drop   view Brazil_Customers;
• Database Views Update rules
                                  PL/SQL Programming
•   PL/SQL is a block structured language
•   Procedural Language extensions to the Structured Query Language
•   SQL with procedural statements
•   Mainly used to create an application
DECLARE declaration statements;
variable_name data_type := value // assignment
BEGIN executable statements
Variable:= &z; //input
dbms_output.put_line(var); //output
EXCEPTIONS exception handling statements
END;
SQL> SET SERVEROUTPUT ON;
SQL> DECLARE
  -- taking input for variable a
  a integer := &a ;
  -- taking input for variable b
  b integer := &b ;
  c integer ;
BEGIN
 c := a + b ;
 dbms_output.put_line('Sum of '||a||' and '||b||' is = '||c);
END;
/
IF THEN Statement
IF condition THEN
  statements
END IF;
IF THEN ELSIF Statement
IF condition-1 THEN
 statements;
ELSIF condition-2 THEN
 statements;
ELSIF condition-3 THEN
 statements;
ELSE
 statements;
END IF;
DECLARE
    grade CHAR(1);
BEGIN
    grade := 'B';
    IF grade = 'A' THEN
     DBMS_OUTPUT.PUT_LINE('Excellent');
    ELSIF grade = 'B' THEN
     DBMS_OUTPUT.PUT_LINE('Very Good');
    ELSIF grade = 'C' THEN
     DBMS_OUTPUT.PUT_LINE('Good');
    ELSIF grade = 'D' THEN
     DBMS_OUTPUT. PUT_LINE('Fair');
    ELSIF grade = 'F' THEN
     DBMS_OUTPUT.PUT_LINE('Poor');
    ELSE
     DBMS_OUTPUT.PUT_LINE('No such grade');
    END IF;
END;
/
CASE selector
WHEN selector_value_1 THEN
      statements_1
WHEN selector_value_1 THEN
      statement_2
...
ELSE
      else_statements
END CASE;
DECLARE
    grade CHAR(1);
BEGIN
    grade := 'B';
    CASE grade
     WHEN 'A' THEN DBMS_OUTPUT.PUT_LINE('Excellent');
     WHEN 'B' THEN DBMS_OUTPUT.PUT_LINE('Very Good');
     WHEN 'C' THEN DBMS_OUTPUT.PUT_LINE('Good');
     WHEN 'D' THEN DBMS_OUTPUT.PUT_LINE('Fair');
     WHEN 'F' THEN DBMS_OUTPUT.PUT_LINE('Poor');
     ELSE DBMS_OUTPUT.PUT_LINE('No such grade');
    END CASE;
END;
/
FOR index IN [ REVERSE ] lower_bound..upper_bound LOOP
 statements
END LOOP;
E.G)
BEGIN
 FOR i IN 1..3 LOOP
 DBMS_OUTPUT.PUT_LINE (i);
 END LOOP;
DECLARE
    a number(2);
BEGIN
    FOR a in 10 .. 20 LOOP
     dbms_output.put_line('value of a: ' || a);
    END LOOP;
END;
/
DECLARE
    a number(2) ;
BEGIN
    FOR a IN REVERSE 10 .. 20 LOOP
     dbms_output.put_line('value of a: ' || a);
    END LOOP;
END;
/
DECLARE
    i number(1);
    j number(1);
BEGIN
     FOR i IN 1..3 LOOP
        FOR j IN 1..3 LOOP
            dbms_output.put_line('i is: '|| i || ' and j is: ' || j);
     END;
    END;
END;
/
WHILE <condition>
LOOP statements;
END LOOP;
DECLARE
i INTEGER := 1;
BEGIN
WHILE i <= 10 LOOP
DBMS_OUTPUT.PUT_LINE(i);
i := i+1;
END LOOP;
END;
LOOP
 statements;
 EXIT;
 {or EXIT WHEN condition;}
END LOOP;
DECLARE
i NUMBER := 1;
BEGIN
LOOP
EXIT WHEN i>10;
DBMS_OUTPUT.PUT_LINE(i);
i := i+1;
END LOOP;
END;
• Break
• Continue
                                                      Function
CREATE [OR REPLACE] FUNCTION function_name
[(parameter_name [IN | OUT | IN OUT] type [, ...])]
RETURN return_datatype
{IS | AS}
BEGIN
 < function_body >
END ;
create or replace function adder(n1 in number, n2 in number)
return number
is
n3 number(8);
begin
n3 :=n1+n2;
return n3;
end;
/
DECLARE
    n3 number(2);
BEGIN
    n3 := adder(11,22);
    dbms_output.put_line('Addition is: ' || n3);
END;
/
CREATE OR REPLACE FUNCTION totalCustomers
RETURN number IS
 total number(2) := 0;
BEGIN
 SELECT count(*) into total
 FROM customers;
 RETURN total;
END;
DECLARE
 c number(2);
BEGIN
 c := totalCustomers();
 dbms_output.put_line('Total no. of Customers: ' || c);
END;
DECLARE
  a number;
  b number;
  c number;
FUNCTION findMax(x IN number, y IN number)
RETURN number
IS
   z number;
BEGIN
  IF x > y THEN
    z:= x;
  ELSE
    Z:= y;
  END IF;
  RETURN z;
END;
BEGIN
  a:= 23;
  b:= 45;
  c := findMax(a, b);
  dbms_output.put_line(' Maximum of (23,45): ' || c);
END;
                                        Procedure
CREATE [OR REPLACE] PROCEDURE name
[(parameter_name [IN | OUT | IN OUT] type [, ...])]
{IS | AS}
BEGIN
 < procedure_body >
END;
Simple procedure
DELIMITER //
CREATE PROCEDURE greet_employee(emp_name VARCHAR(100))
BEGIN
SELECT CONCAT('Hello, ', emp_name, '!') AS greeting;
 END
//
DELIMITER;
CALL greet_employee('John');
DELIMITER //
create procedure sample()
Begin
DECLARE x INT;
DECLARE y INT;
DECLARE z INT;
SET x =10;
SET y=20;
SET z=x+y;
select z;
end
//
DELIMITER ;
call sample()
DELIMITER
//
CREATE FUNCTION AddNumbers(a INT, b INT)RETURNS INT
BEGIN
DECLARE result INT;
set result = a + b;
RETURN result;
END
//
DELIMITER ;
select AddNumbers(1,2) as SUM;
BEGIN
  P_UPDATE_SALARY();
  END;
 /
DECLARE
 a number(5):=&a; -- get ID from user
 b number(5):=&b; --get Increment value from user
BEGIN
P_UPDATE_SALARY(a, b);
END;
/
• Program to add two numbers
• DELIMITER //
• create procedure sample()
• begin
• DECLARE x INT;
• DECLARE y INT;
• DECLARE z INT;
•
• -- Here we Assigning 10 into x
                           Cursor
A Cursor is a temporary memory that is allocated by the
database server at the time of performing
the Data Manipulation Language
It holds the multiple rows returned by the SQL statement.
➢ Implicit cursor
➢ Explicit or user defined cursor
CURSOR c_customers IS   SELECT id, name, address FROM customers;
OPEN c_customers;
FETCH c_customers INTO c_id, c_name, c_addr;
CLOSE c_customers;
DELIMITER //
CREATE PROCEDURE Fetch_Customers()
BEGIN
  DECLARE c_id INT;
  DECLARE c_name VARCHAR(100);
  DECLARE c_addr VARCHAR(255);
  DECLARE done INT DEFAULT FALSE;
  -- Declare cursor
  DECLARE c_customers CURSOR FOR
     SELECT id, name, address FROM customers;
  -- Declare a continue handler to handle the end of the cursor
  DECLARE CONTINUE HANDLER FOR NOT FOUND SET done = TRUE;
  -- Open cursor
  OPEN c_customers;
  -- Start loop
  read_loop: LOOP
     FETCH c_customers INTO c_id, c_name, c_addr;
     IF done THEN
        LEAVE read_loop;
     END IF;
     -- Print output
     SELECT CONCAT(c_id, ' ', c_name, ' ', c_addr) AS Customer_Details;
  END LOOP;
  -- Close cursor
  CLOSE c_customers;
END
// DELIMITER ;
CALL Fetch_Customers();
                                     Trigger
Triggers are stored programs, which are automatically executed or fired when
some events occur
• Types of PL/SQL Triggers
• There are two types of triggers based on the which level it is triggered.
  1) Row level trigger - An event is triggered for each row upated, inserted or
  deleted.
  2) Statement level trigger - An event is triggered for each sql statement
  executed.
CREATE [OR REPLACE ] TRIGGER trigger_name
{BEFORE | AFTER | INSTEAD OF }
{INSERT [OR] | UPDATE [OR] | DELETE}
[OF col_name]
ON table_name
[REFERENCING OLD AS o NEW AS n]
[FOR EACH ROW]
WHEN (condition)
BEGIN
  --- sql statements
END;
CREATE OR REPLACE TRIGGER row_level_trigger
BEFORE UPDATE ON employees
FOR EACH ROW
BEGIN
  DBMS_OUTPUT.PUT_LINE('Updating employee ID: ' || :OLD.emp_id);
END;
CREATE OR REPLACE TRIGGER statement_level_trigger
BEFORE UPDATE ON employees
BEGIN
  DBMS_OUTPUT.PUT_LINE('Employees table is being updated.');
END;
CREATE TABLE emp(empno int, sal int, comm int);
DELIMITER //
CREATE TRIGGER emp_comm_trig3
BEFORE INSERT ON emp FOR EACH ROW
BEGIN
 IF NEW.empno = 30 THEN
 SET NEW.comm=NEW.sal+50;
 END IF;
END;//
DELIMITER ;
INSERT INTO emp VALUES(30,100,null);
DELIMITER //
 CREATE TRIGGER before_insert
  BEFORE INSERT ON emp
  FOR EACH ROW
  BEGIN
   IF NEW.comm < 0 THEN
    SIGNAL SQLSTATE '45000’ --45000 to 459999 user defined range
    SET MESSAGE_TEXT = 'Negative values are not allowed’;
  END IF;
  END
 //
DELIMITER ;
INSERT INTO emp (comm) VALUES (-5);
OUTPUT
ERROR 1644 (45000): Negative values are not allowed
DELIMITER //
CREATE TRIGGER after_insert_emp
AFTER INSERT ON emp
FOR EACH ROW
BEGIN
   INSERT INTO emp_log (emp_id, action, timestamp)
   VALUES (NEW.empno, 'INSERTED', NOW());
END;//
DELIMITER ;
• A subquery, or nested query, is a query placed within another SQL query.
• Scalar subqueries return a single value, or exactly one row and exactly one
  column.
• Multirow subqueries return either:
   • One column with multiple rows (i.e. a list of values), or
   • Multiple columns with multiple rows (i.e. tables).
• Sub Quries
• We want to list paintings that are priced higher than the average
SELECT name, listed_price
FROM paintings
WHERE listed_price > (
   SELECT AVG(listed_price)
   FROM paintings
);
• Suppose we want to list all collectors who purchased paintings from our gallery.
  We can get the necessary output using a multirow subquery
SELECT first_name, last_name
FROM collectors
WHERE id IN (
   SELECT collector_id
   FROM sales
);
•   SELECT ABS(-10);
•   SELECT ROUND(3.14159, 2);
•   SELECT FLOOR(5.9);
•   SELECT CEIL(5.1);
•   SELECT MOD(10, 3);
•   SELECT POWER(2, 3);
•   SELECT SQRT(25);
•   SELECT RAND();
•   SELECT USER();
•   SELECT DATABASE();
• Second Highest Salary
• SELECT MAX(salary) FROM employees WHERE salary < (SELECT
  MAX(salary) FROM employees);
• Third Highest Salary
• SELECT MAX(salary) FROM employees WHERE salary < ( SELECT
  MAX(salary) FROM employees WHERE salary < (SELECT
  MAX(salary) FROM employees) );
• SELECT DISTINCT salary FROM emp ORDER BY salary DESC LIMIT 1 OFFSET N-1;
• For 3rd highest salary N=3
• SELECT DISTINCT salary FROM emp ORDER BY salary DESC LIMIT 1 OFFSET 2;
• Nth Lowest Salary
• SELECT DISTINCT salary FROM emp ORDER BY salary LIMIT 1 OFFSET N-1;
• SELECT DISTINCT salary FROM emp ORDER BY salary LIMIT 10
• Top n salary
• SELECT DISTINCT salary FROM emp ORDER BY salary DESC LIMIT 10
•   SELECT name, UPPER(name) AS name_upper FROM Customers;
•   SELECT email, SUBSTRING_INDEX(email, '@', -1) AS domain FROM Customers;
•   SELECT name, city, REPLACE(city, 'New', 'Old') AS modified_city FROM Customers;
•   SELECT name, LEFT(name, 3) AS short_name FROM Customers;
•   SELECT CONCAT('Hello', ' ', 'World’);
•   SELECT TRIM(' hello ‘);
•   SELECT REVERSE('hello’);
•   SELECT ASCII('A');
•   SELECT NOW();
•   SELECT CURDATE();
•   SELECT CURTIME();
•   SELECT SYSDATE();
•   SELECT YEAR('2025-02-27’); // month and day
•   SELECT HOUR('14:30:00’); // minute and second
•   SELECT DAYOFWEEK('2025-02-27’);
•   SELECT DATEDIFF('2025-03-01', '2025-02-27’);
•   MONTHNAME(date)
                                                   List of Experiments
1) Problem Identification
2) Requirement Gathering
3) Design Using ER Diagram
4) Design Using UML Diagram
5) Working with DDL and DML Commands
6) Working with Joins, Set operations and Aggregate Functions
7) Working with queries related to Projects
8) Working with PL/SQL Procedures
9) Working with PL/SQL Functions
10) Working with PL/SQL Cursors
11) Working with PL/SQL Triggers
12) Project Report
THANK YOU !!!