KEMBAR78
SQL Comprehensive Guide | PDF | Sql | Software Design
0% found this document useful (0 votes)
14 views17 pages

SQL Comprehensive Guide

This comprehensive guide covers SQL concepts from basics to advanced levels, tailored for CBSE Class XII Informatics Practices. It includes explanations of SQL data types, commands, functions, joins, and subqueries, along with practical examples and tips for learning SQL. The document serves as a resource for understanding how to interact with databases using SQL effectively.

Uploaded by

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

SQL Comprehensive Guide

This comprehensive guide covers SQL concepts from basics to advanced levels, tailored for CBSE Class XII Informatics Practices. It includes explanations of SQL data types, commands, functions, joins, and subqueries, along with practical examples and tips for learning SQL. The document serves as a resource for understanding how to interact with databases using SQL effectively.

Uploaded by

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

SQL COMPREHENSIVE GUIDE: FROM BASICS TO ADVANCED

================================================

This guide combines simple explanations with detailed technical notes on SQL
concepts from the CBSE Class XII Informatics Practices curriculum. It's designed to
help you progress from beginner to advanced understanding of each SQL topic.

TABLE OF CONTENTS
=================
1. [Introduction to SQL](#introduction-to-sql)
2. [SQL Data Types](#sql-data-types)
3. [SQL Commands](#sql-commands)
- [Creating and Changing Tables (DDL)](#creating-and-changing-tables-ddl)
- [Adding and Changing Data (DML)](#adding-and-changing-data-dml)
- [Finding Information (DQL)](#finding-information-dql)
- [Other Command Types (DCL, TCL)](#other-command-types-dcl-tcl)
4. [SQL Functions](#sql-functions)
- [Mathematical Functions](#mathematical-functions)
- [String Functions](#string-functions)
- [Date Functions](#date-functions)
- [Aggregate Functions](#aggregate-functions)
5. [SQL Joins](#sql-joins)
6. [SQL Subqueries](#sql-subqueries)
7. [SQL Views](#sql-views)
8. [SQL Constraints](#sql-constraints)
9. [Practice Examples](#practice-examples)
10. [Tips for Learning SQL](#tips-for-learning-sql)

INTRODUCTION TO SQL
===================

SIMPLE EXPLANATION
==================
SQL is like a special language that helps you talk to databases (where information
is stored). Think of a database as a collection of spreadsheets (called tables)
that can be connected to each other.

SQL lets you ask questions about your data and make changes to it. For example,
"Show me all students who got more than 80 marks" or "Add a new student to the
class."

TECHNICAL DETAILS
=================
SQL (Structured Query Language) is a standard language for storing, manipulating,
and retrieving data in relational database management systems (RDBMS).

KEY FEATURES OF SQL


===================
- It is not case-sensitive (but it's a good practice to write SQL keywords in
uppercase)
- SQL statements end with a semicolon (;)
- SQL can be used to perform various operations on a database like create, read,
update, and delete (CRUD)

SQL DATABASE SYSTEMS


====================
- MySQL
- Oracle
- Microsoft SQL Server
- PostgreSQL
- SQLite

SQL DATA TYPES


==============

SIMPLE EXPLANATION
==================
Data types tell the database what kind of information you're storing, just like you
would specify if you're writing a number or text in a form.

NUMBERS
=======
- **INT**: Whole numbers only (like 1, 42, -10)
- **DECIMAL**: Numbers with decimal points (like 10.5, 3.14)
- **FLOAT**: Similar to decimal but for scientific calculations

TEXT
====
- **CHAR**: Fixed-length text (always uses the same amount of storage)
- **VARCHAR**: Variable-length text (only uses what it needs)
- **TEXT**: For longer pieces of writing

DATES AND TIMES


===============
- **DATE**: Just the date (like 2023-08-15)
- **TIME**: Just the time (like 14:30:00)
- **DATETIME**: Both date and time together

TECHNICAL DETAILS
=================

NUMERIC DATA TYPES


==================
- **INT**: Integer values (e.g., 123, -456)
- **DECIMAL(p,s)**: Fixed-point numbers with specified precision and scale (e.g.,
DECIMAL(5,2) can store from -999.99 to 999.99)
- **FLOAT**: Floating-point numbers

STRING DATA TYPES


=================
- **CHAR(n)**: Fixed-length character strings (e.g., CHAR(10) always uses 10 bytes
of storage)
- **VARCHAR(n)**: Variable-length character strings (e.g., VARCHAR(10) uses only
the required space up to 10 bytes)
- **TEXT**: For large text data

DATE AND TIME DATA TYPES


========================
- **DATE**: Stores date in the format YYYY-MM-DD
- **TIME**: Stores time in the format HH:MM:SS
- **DATETIME**: Stores date and time in the format YYYY-MM-DD HH:MM:SS

SQL COMMANDS
============

CREATING AND CHANGING TABLES (DDL)


==================================
SIMPLE EXPLANATION
==================
**CREATE TABLE**: Makes a new table
```sql
-- This creates a table for storing student information
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT,
Class VARCHAR(10)
);
```

**ALTER TABLE**: Changes an existing table


```sql
-- This adds an Email column to the Students table
ALTER TABLE Students ADD Email VARCHAR(100);
```

**DROP TABLE**: Deletes a table completely


```sql
-- This removes the Students table and all its data
DROP TABLE Students;
```

TECHNICAL DETAILS (DDL - DATA DEFINITION LANGUAGE)


==================================================
- **CREATE**: Creates database objects like tables, views, etc.
```sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT,
Class VARCHAR(10)
);
```

- **ALTER**: Modifies existing database objects


```sql
ALTER TABLE Students ADD Email VARCHAR(100);
```

- **DROP**: Deletes database objects


```sql
DROP TABLE Students;
```

- **TRUNCATE**: Removes all records from a table but keeps the table structure
```sql
TRUNCATE TABLE Students;
```

ADDING AND CHANGING DATA (DML)


==============================

SIMPLE EXPLANATION
==================
**INSERT**: Adds new information
```sql
-- This adds a new student to the table
INSERT INTO Students (StudentID, Name, Age, Class)
VALUES (1, 'Rahul Sharma', 16, 'XII-A');
```

**UPDATE**: Changes existing information


```sql
-- This changes Rahul's age to 17
UPDATE Students
SET Age = 17
WHERE StudentID = 1;
```

**DELETE**: Removes information


```sql
-- This removes Rahul from the table
DELETE FROM Students
WHERE StudentID = 1;
```

TECHNICAL DETAILS (DML - DATA MANIPULATION LANGUAGE)


====================================================
- **INSERT**: Adds new records to a table
```sql
INSERT INTO Students (StudentID, Name, Age, Class)
VALUES (1, 'Rahul Sharma', 16, 'XII-A');
```

- **UPDATE**: Modifies existing records


```sql
UPDATE Students
SET Age = 17
WHERE StudentID = 1;
```

- **DELETE**: Removes records from a table


```sql
DELETE FROM Students
WHERE StudentID = 1;
```

FINDING INFORMATION (DQL)


=========================

SIMPLE EXPLANATION
==================
**SELECT**: Gets information from the database
```sql
-- This shows all students
SELECT * FROM Students;

-- This shows only names and classes of students older than 15


SELECT Name, Class FROM Students WHERE Age > 15;
```

TECHNICAL DETAILS (DQL - DATA QUERY LANGUAGE)


=============================================
- **SELECT**: Retrieves data from a database
```sql
SELECT * FROM Students;

SELECT Name, Class FROM Students WHERE Age > 15;


```

OTHER COMMAND TYPES (DCL, TCL)


==============================

TECHNICAL DETAILS
=================

DCL (DATA CONTROL LANGUAGE)


=========================
- **GRANT**: Gives privileges to users
- **REVOKE**: Takes back privileges from users

TCL (TRANSACTION CONTROL LANGUAGE)


================================
- **COMMIT**: Saves transactions
- **ROLLBACK**: Undoes transactions
- **SAVEPOINT**: Sets a point to which a transaction can be rolled back

SQL FUNCTIONS
=============

SIMPLE EXPLANATION
==================
Functions are like built-in tools that help you work with your data.

MATHEMATICAL FUNCTIONS
======================

SIMPLE EXPLANATION
==================
**ROUND()**: Rounds a number
```sql
-- This rounds 123.456 to 123.46
SELECT ROUND(123.456, 2);
```

**CEIL()**: Rounds up to the nearest whole number


```sql
-- This turns 123.45 into 124
SELECT CEIL(123.45);
```

**FLOOR()**: Rounds down to the nearest whole number


```sql
-- This turns 123.45 into 123
SELECT FLOOR(123.45);
```

**ABS()**: Makes a number positive


```sql
-- This turns -123.45 into 123.45
SELECT ABS(-123.45);
```

TECHNICAL DETAILS
=================

ROUND()
=======
Rounds a number to a specified number of decimal places.

```sql
SELECT ROUND(123.456, 2); -- Returns 123.46
SELECT ROUND(123.456, 0); -- Returns 123
```

CEIL() / CEILING()
==================
Returns the smallest integer greater than or equal to the given number.

```sql
SELECT CEIL(123.45); -- Returns 124
SELECT CEILING(123.45); -- Returns 124
```

FLOOR()
=======
Returns the largest integer less than or equal to the given number.

```sql
SELECT FLOOR(123.45); -- Returns 123
```

ABS()
=====
Returns the absolute (positive) value of a number.

```sql
SELECT ABS(-123.45); -- Returns 123.45
```

STRING FUNCTIONS
================

SIMPLE EXPLANATION
==================
**CONCAT()**: Joins text together
```sql
-- This creates 'Hello World'
SELECT CONCAT('Hello', ' ', 'World');
```

**LENGTH()**: Counts characters in text


```sql
-- This returns 5
SELECT LENGTH('Hello');
```

**UPPER()**: Makes text ALL CAPITALS


```sql
-- This returns 'HELLO'
SELECT UPPER('Hello');
```
**LOWER()**: Makes text all lowercase
```sql
-- This returns 'hello'
SELECT LOWER('Hello');
```

**SUBSTRING()**: Gets part of a text


```sql
-- This returns 'Hello'
SELECT SUBSTRING('Hello World', 1, 5);
```

TECHNICAL DETAILS
=================

CONCAT()
========
Combines two or more strings into one.

```sql
SELECT CONCAT('Hello', ' ', 'World'); -- Returns 'Hello World'
```

LENGTH() / CHAR_LENGTH()
========================
Returns the length of a string in characters.

```sql
SELECT LENGTH('Hello'); -- Returns 5
SELECT CHAR_LENGTH('Hello'); -- Returns 5
```

UPPER() / UCASE()
=================
Converts a string to uppercase.

```sql
SELECT UPPER('Hello'); -- Returns 'HELLO'
SELECT UCASE('Hello'); -- Returns 'HELLO'
```

LOWER() / LCASE()
=================
Converts a string to lowercase.

```sql
SELECT LOWER('Hello'); -- Returns 'hello'
SELECT LCASE('Hello'); -- Returns 'hello'
```

SUBSTRING() / SUBSTR()
======================
Extracts a substring from a string.

```sql
SELECT SUBSTRING('Hello World', 1, 5); -- Returns 'Hello'
SELECT SUBSTR('Hello World', 7, 5); -- Returns 'World'
```

DATE FUNCTIONS
==============

SIMPLE EXPLANATION
==================
**NOW()**: Gets current date and time
```sql
-- This returns the current datetime
SELECT NOW();
```

**CURDATE()**: Gets just today's date


```sql
-- This returns today's date
SELECT CURDATE();
```

**DATE_ADD()**: Adds time to a date


```sql
-- This adds 10 days to August 15, 2023
SELECT DATE_ADD('2023-08-15', INTERVAL 10 DAY);
```

TECHNICAL DETAILS
=================

NOW()
=====
Returns the current date and time.

```sql
SELECT NOW(); -- Returns something like '2023-08-15 14:30:00'
```

CURDATE() / CURRENT_DATE()
==========================
Returns the current date.

```sql
SELECT CURDATE(); -- Returns something like '2023-08-15'
SELECT CURRENT_DATE(); -- Returns something like '2023-08-15'
```

DATE_ADD()
==========
Adds a time/date interval to a date and returns the result.

```sql
SELECT DATE_ADD('2023-08-15', INTERVAL 10 DAY); -- Returns '2023-08-25'
SELECT DATE_ADD('2023-08-15', INTERVAL 1 MONTH); -- Returns '2023-09-15'
```

AGGREGATE FUNCTIONS
===================

SIMPLE EXPLANATION
==================
**COUNT()**: Counts rows
```sql
-- This counts how many students you have
SELECT COUNT(*) FROM Students;
```

**SUM()**: Adds numbers together


```sql
-- This adds up all student ages
SELECT SUM(Age) FROM Students;
```

**AVG()**: Calculates the average


```sql
-- This finds the average student age
SELECT AVG(Age) FROM Students;
```

**MIN()** and **MAX()**: Find the smallest and largest values


```sql
-- This finds the youngest and oldest student ages
SELECT MIN(Age), MAX(Age) FROM Students;
```

TECHNICAL DETAILS
=================

COUNT()
=======
Returns the number of rows that match a specified criterion.

```sql
SELECT COUNT(*) FROM Students; -- Counts all rows
SELECT COUNT(Email) FROM Students; -- Counts non-NULL Email values
```

SUM()
=====
Returns the sum of a numeric column.

```sql
SELECT SUM(Age) FROM Students; -- Adds up all ages
```

AVG()
=====
Returns the average value of a numeric column.

```sql
SELECT AVG(Age) FROM Students; -- Calculates average age
```

MIN() AND MAX()


===============
Returns the minimum or maximum value of a column.

```sql
SELECT MIN(Age) FROM Students; -- Finds youngest student's age
SELECT MAX(Age) FROM Students; -- Finds oldest student's age
```

SQL JOINS
=========

SIMPLE EXPLANATION
==================
Joins connect information from different tables. Think of them like putting two
spreadsheets side by side and matching up related rows.

**INNER JOIN**: Only shows matches from both tables


```sql
-- This shows students and their marks, but only if they have marks
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID;
```

**LEFT JOIN**: Shows everything from the first table, even if there's no match in
the second table
```sql
-- This shows all students, even those without marks
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
LEFT JOIN Marks ON Students.StudentID = Marks.StudentID;
```

**RIGHT JOIN**: Shows everything from the second table, even if there's no match in
the first table
```sql
-- This shows all marks, even for students not in the Students table
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
RIGHT JOIN Marks ON Students.StudentID = Marks.StudentID;
```

TECHNICAL DETAILS
=================

INNER JOIN
==========
Returns records that have matching values in both tables.

```sql
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID;
```

LEFT JOIN / LEFT OUTER JOIN


===========================
Returns all records from the left table, and the matched records from the right
table. The result is NULL from the right side if there is no match.

```sql
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
LEFT JOIN Marks ON Students.StudentID = Marks.StudentID;
```

RIGHT JOIN / RIGHT OUTER JOIN


=============================
Returns all records from the right table, and the matched records from the left
table. The result is NULL from the left side when there is no match.

```sql
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
RIGHT JOIN Marks ON Students.StudentID = Marks.StudentID;
```

FULL JOIN / FULL OUTER JOIN


===========================
Returns all records when there is a match in either left or right table. The result
is NULL from the side where there is no match.

```sql
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
FULL JOIN Marks ON Students.StudentID = Marks.StudentID;
```

SQL SUBQUERIES
==============

SIMPLE EXPLANATION
==================
A subquery is a query inside another query - like asking a question within a
question.

```sql
-- This finds students older than the average age
SELECT Name, Age
FROM Students
WHERE Age > (SELECT AVG(Age) FROM Students);
```

TECHNICAL DETAILS
=================
A subquery is a query nested inside another query. It can be used in various parts
of a SQL statement:

IN THE WHERE CLAUSE


===================
```sql
SELECT Name, Age
FROM Students
WHERE Age > (SELECT AVG(Age) FROM Students);
```

IN THE FROM CLAUSE


==================
```sql
SELECT t.Name, t.AverageScore
FROM (
SELECT Students.Name, AVG(Marks.Score) AS AverageScore
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID
GROUP BY Students.Name
) t
WHERE t.AverageScore > 80;
```

IN THE SELECT CLAUSE


====================
```sql
SELECT
Name,
Age,
(SELECT AVG(Score) FROM Marks WHERE Marks.StudentID = Students.StudentID) AS
AverageScore
FROM Students;
```

SQL VIEWS
=========

SIMPLE EXPLANATION
==================
A view is like a saved query that you can use again and again. It doesn't store
data itself but shows data from other tables.

```sql
-- This creates a view showing students and their marks
CREATE VIEW StudentMarks AS
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID;

-- Now you can use it like a table


SELECT * FROM StudentMarks;
```

TECHNICAL DETAILS
=================
A view is a virtual table based on the result-set of a SQL statement. It contains
rows and columns, just like a real table, but doesn't store the data physically.

CREATING A VIEW
===============
```sql
CREATE VIEW StudentMarks AS
SELECT Students.Name, Marks.Subject, Marks.Score
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID;
```

USING A VIEW
============
```sql
SELECT * FROM StudentMarks;
FROM StudentMarks
GROUP BY Name;
```

UPDATING A VIEW
===============
```sql
CREATE OR REPLACE VIEW StudentMarks AS
SELECT Students.Name, Students.Class, Marks.Subject, Marks.Score
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID;
```

DROPPING A VIEW
===============
```sql
DROP VIEW StudentMarks;
```

SQL CONSTRAINTS
===============

SIMPLE EXPLANATION
==================
Constraints are rules that control what data can be added to a table.

PRIMARY KEY
===========
Makes sure each row has a unique identifier
```sql
-- StudentID must be unique for each student
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50)
);
```

FOREIGN KEY
===========
Connects tables together
```sql
-- This ensures marks are only added for existing students
CREATE TABLE Marks (
MarkID INT PRIMARY KEY,
StudentID INT,
Subject VARCHAR(50),
Score INT,
FOREIGN KEY (StudentID) REFERENCES Students(StudentID)
);
```

UNIQUE
======
Makes sure values aren't repeated
```sql
-- No two students can have the same email
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Email VARCHAR(100) UNIQUE,
Name VARCHAR(50)
);
```

NOT NULL
========
Makes sure a value is always provided
```sql
-- Every student must have a name
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50) NOT NULL,
Age INT
);
```

CHECK
=====
Makes sure values meet certain conditions
```sql
-- Students must be at least 15 years old
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT CHECK (Age >= 15)
);
```

DEFAULT
=======
Sets a starting value if none is provided
```sql
-- If no class is specified, put the student in XII-A
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT,
Class VARCHAR(10) DEFAULT 'XII-A'
);
```

TECHNICAL DETAILS
=================
Constraints are rules enforced on data columns in tables to ensure data integrity.

PRIMARY KEY
===========
Uniquely identifies each record in a table. Cannot contain NULL values and must be
unique.

```sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50)
);
```

FOREIGN KEY
===========
Links data between tables and ensures referential integrity.

```sql
CREATE TABLE Marks (
MarkID INT PRIMARY KEY,
StudentID INT,
Subject VARCHAR(50),
Score INT,
FOREIGN KEY (StudentID) REFERENCES Students(StudentID)
);
```

UNIQUE
======
Ensures all values in a column are different.

```sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Email VARCHAR(100) UNIQUE,
Name VARCHAR(50)
);
```

NOT NULL
========
Ensures a column cannot have a NULL value.

```sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50) NOT NULL,
Age INT
);
```

CHECK
=====
Ensures all values in a column satisfy a specific condition.

```sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT CHECK (Age >= 15)
);
```

DEFAULT
=======
Sets a default value for a column when no value is specified.

```sql
CREATE TABLE Students (
StudentID INT PRIMARY KEY,
Name VARCHAR(50),
Age INT,
Class VARCHAR(10) DEFAULT 'XII-A'
);
```

PRACTICE EXAMPLES
=================

SIMPLE PRACTICE EXAMPLES


========================

1. **Find the average age of students in each class**


```sql
-- Group students by class and calculate average age
SELECT Class, AVG(Age) AS AverageAge
FROM Students
GROUP BY Class;
```

2. **Find students who scored more than 80 in any subject**


```sql
-- This finds high-scoring students
SELECT DISTINCT Students.Name
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID
WHERE Marks.Score > 80;
```

3. **Find students who haven't taken any exams**


```sql
-- This finds students with no marks
SELECT Name
FROM Students
WHERE StudentID NOT IN (SELECT DISTINCT StudentID FROM Marks);
```

ADVANCED PRACTICE EXAMPLES


==========================

1. **Find the top 3 students with the highest average scores**


```sql
SELECT Students.Name, AVG(Marks.Score) AS AverageScore
FROM Students
INNER JOIN Marks ON Students.StudentID = Marks.StudentID
GROUP BY Students.Name
ORDER BY AverageScore DESC
LIMIT 3;
```

2. **Find subjects where the average score is below 60**


```sql
SELECT Subject, AVG(Score) AS AverageScore
FROM Marks
GROUP BY Subject
HAVING AverageScore < 60;
```

3. **Find students who have scored above average in all subjects they've taken**
```sql
SELECT s.Name
FROM Students s
WHERE NOT EXISTS (
SELECT 1
FROM Marks m
WHERE m.StudentID = s.StudentID
AND m.Score <= (SELECT AVG(Score) FROM Marks WHERE Subject = m.Subject)
);
```

TIPS FOR LEARNING SQL


=====================
1. **Start simple**: Begin with basic SELECT statements before trying complex
queries
2. **Practice regularly**: Try writing different queries on the same data
3. **Understand the problem**: Before writing SQL, be clear about what information
you need
4. **Use comments**: Add notes to your SQL to remember what each part does
5. **Learn by example**: Study and modify existing queries to understand how they
work
6. **Build gradually**: Start with simple queries and add complexity step by step
7. **Test with small datasets**: Verify your queries work correctly with small
amounts of data first
8. **Read error messages carefully**: They often provide clues about what's wrong
with your query
9. **Use proper indentation**: Format your SQL to make it more readable
10. **Understand joins thoroughly**: They are essential for working with multiple
tables

Remember, SQL is like learning any language - it gets easier with practice!

You might also like