KEMBAR78
This Is Only A Guiding Note: Refer To Chapters 6&7 of The Text Book For SQL | PDF | Boolean Data Type | Sql
0% found this document useful (0 votes)
120 views33 pages

This Is Only A Guiding Note: Refer To Chapters 6&7 of The Text Book For SQL

Uploaded by

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

This Is Only A Guiding Note: Refer To Chapters 6&7 of The Text Book For SQL

Uploaded by

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

This is only a

Guiding Note
Refer to Chapters 6&7 of the Text
Book for SQL
In Microsoft SQL Server database management system, we have four kinds of Database
languages: DDL (Data Definitional Language) and DML (Data Manipulation Language),
DCL (Data Control Language) and TCL (Transaction Control Language).

IN this Course our Focus will be on the DDL and DML

Query Analyzer
SQL (Structured Query Language) is a language that we use to define our database and
manipulate the records there in using the query analyzer.

DDL comprises the following basic statements and are used to define the structure of our
database
 Create(new database structure definition)
 Alter (Modifying an existing database structure)
 Drop (Deleting a structure)
 Add ( adding structural components in to our defined database structure)

DML comprises the following and are used to manipulate the records we have in our
database
 Insert (adding a Record in to a database)
 Select (Retrieving Records from a database)
 Update (updating a record in a database)
 Delete ( Deleting a record from a database)

DDL

DDL on databases

1
Internal Documentation in SQL query analyzer

Two kinds we have


1. -- for single line comment

2. /* for multiple line comments


In sql */
To create a data base

Create database database name


Create database ccc

To add a secondary file to a database

alter database ccc


add file (name=eee,
filename='c:\Program Files\Microsoft SQL Server\MSSQL\Data\eee.ndf',
size= 10 MB
)

To remove a secondary file from a database

alter database ccc


remove file eee

To add a log file to a database


If we have more log files to add

alter database ccc


add log file
(name= logf1,
filename='C:\Program Files\Microsoft SQL Server\MSSQL\data\logf1.ldf',
size=5MB) , …if we have more of them,
add log file
(,,,)

To delete a database
drop database database name

DDL on tables
Creating tables

Syntax:
Create table tablename( col1 datatype,col2 datatype,…n , primary key(column), foreign
key(column) references ref_table(ref_column),…n)

2
Note:
There are different ways to place the primary key

Example 1
Create table product(pid int Identity(1,1) primary key,
pname char(20) Default 'Set Product name',
Quantity int check (Quantity>0), /*quantity can not be zero or
Negative */
amt_sold int NOT NULL)
Example 2
this example creates an employee table where the EID column should have a format of
(Constraint of)the first three Capital letters followed by hyphen then Five digit ranging
from 10001to99999 and then hyphen then the last 1 character representing the sex(M orF)
for example “AMI-10001-M” is the kind of possible Id
The key word “check” is used to define a constraint on any column.

Create table employee (EID char (9) primary key check (EID like '[A-Z][A-Z][A-Z]-
[1-9][0-9][0-9][0-9][1-9]-[FM]'),
Fname char(15) Not Null,
Mname char(15) Null, /*you need not write “Null” b/se it is the
Default for any column definition*/
Lname char (15) Not Null,
Sex char(6),
Salary Money Not Null check (salary<10000), --salary is <10000
hireDate datetime Default Getdate(),
BirthDate datetime Default getdate()
)

Example 3
On this example we will be looking at the DDL s applied on a table

create table student(sid char(10),


sname char (20),
age char(6),
primary key (sid)
)

To change the datatype of any column


Alter table table_name alter column column_name
alter table student alter column age int

3
To change property of the column sname to Not NULL

alter table student alter column sname char(20) Not Null

To add a new column but the new columns to be added must be either Null or have a
default value otherwise.

alter table student add sex char(6)


alter table student add salary money
alter table student add dept char(20) NOT NULL default ‘Information system’

To delete a column
alter table student drop column salary

Adding new constraints to an existing table


Constraints

Check constraints
Alter table table_name
Add constraint constraint_name check(column_to_be_checked),
….,constraint constraint_name check(column_to_be_checked)
Example

ALTER TABLE Employees


  ADD CONSTRAINT CK_BirthDate CHECK (BirthDate < GETDATE())
ALTER TABLE Employees
ADD CONSTRAINT CK_City CHECK (city IN
(‘AA,’SW’,’MT’,’CENTRAL’,’EAST’,’SOUTH’))
BirthDate < GETDATE ())

Primary key /Unique key constraints


Syntax:
Alter table table_name
Add constraint constraint_name Primary key/Unique(key_Column)
Example
ALTER TABLE Customers
ADD CONSTRAINT PK_Customers Primary key (CustomerID)
Example
ALTER TABLE STAFF

4
ADD CONSTRAINT UN_TEL Unique (telephone No)
Foreign key constraints
Alter table table_name
Add constraint constraint_name Foreign key(foreign_key_Column)
References Ref_Table_name(ref_column_name),constraint
const_name……….

Example
Alter table Orders
Add constraint FK_Orders_Customers Foreign Key(CustomerID)
references Customers(CustomerID)

Default Constraint
Alter table table_name
Add constraint constraint_name default default_value for column_name

Example:
Alter table staff
Add constraint def_Sex default 'M' for sex

Creating tables with computed columns


Example:
CREATE TABLE mytable
(
low int,
high int,
myavg AS (low + high)/2,
primary key (low,high)
)
To delete a constraint on a table

Alter table <tablename>


drop constraint < constraintname>

To delete a table totally


drop table table_name

Creating Relationship between tables

Relation ship between tables is possible through the foreign key referential integrity rule

Example 1 Relation ship between two tables

Create table Department (deptId int,


DeptName char(20),
Location char(15),

5
Primary key(deptId)
)

Create table Employee(Eid char(10) primary key,


Ename char(20),
Birth_date datetime Defualt getdate(),
Sex char(6),
Salary money check (salary<10000),
deptId int,
foreign key (deptId) references Department(deptId) on update cascade on
delete cascade
)

Example 2 Relation ship between 3 tables

Create table Customer(custId char(10) primary key,


CustName char(20),
city char (15),
phone_Num char(14) check(phone_Num like('[0-9][0-9][0-9]-[0-
9][0- 9][0-9]-[0-9][0-9][0-9][0-9][0-9][0-9]')) --format of “251-911-566787”
)

Create table Guaranter (guaranterId char(10) primary key,


Name char(30),
City char(15)
)
Create table loan (amount money Not Null,
LoanDate datetime Default getDate(),
custId char(10),
guaranterId char(10),
Primary key(custId,guaranterId ),
Foreign key (custId ) References Customer(custId),
Foreign key(guaranterId) References Guaranter(guaranterId)
)

Note:
SQL Server Query Analyzer is not case sensitive so, the following code is
Correct while the customer Id is written as custId and custid as well as italicized.

Create table Customer(custId char(12),


custName char(20),
city char (15),

6
phone_Num char(14)
constraint pk_1 primary key(Custid)
)

Create table Account(account_Num char(14) primary key,


account_type char(15),
amount_bal money,
custid char(12)
constraint Fk_Acc_Cust foreign key (custId) references
Customer(custId) on update cascade on delete cascade
)

DML
The data manipulation Languages are used to make manipulations to records in our
database

Insert statements
This kind of statements are used to insert new records in to the database
General syntax

INSERT [INTO] table_or_view [(column_list)] data_values


Specifically,
Two syntaxes
a. when we insert the whole Fields of the record
Insert [into] table_name or view_name values (val1,val2….valn)

For identity columns don’t pass any values


b. when we insert only part of the fields in the record
Insert [into] table_name (column_list) values( respective valu_list)

Note:

The data values supplied must match the column list. The number of data values must be
the same as the number of columns, and the data type, precision, and scale of each data
value must match those of the corresponding column. There are two ways to specify the
data values:

 Use a VALUES clause to specify the data values for one row:

INSERT INTO MyTable (PriKey, Description)


VALUES (123, 'A description of part 123.')
 Use a SELECT subquery to specify the data values for one or more rows.

7
INSERT INTO MyTable (PriKey, Description)
SELECT ForeignKey, Description
FROM SomeView

Example1
Using the product table created on page 2
insert product values('pname',10,6)

Or using into

insert into product values(‘pname’,10,6)

or specifying the columns

Insert product (Quantity, amt_sold) values (10,13)

/* only two columns inserted the rest pname default, and pid identity */

While inserting records text, date and character fields are enclosed in a single quote (‘’)
and numeric fields are not.

SELECT
Retrieves rows from the database and allows the selection of one or many rows or
columns from one or many tables. The full syntax of the SELECT statement is complex,
but the main clauses can be summarized as:

SELECT select_list
[ INTO new_table ]
FROM table_source
[ WHERE search_condition ]
[ GROUP BY group_by_expression ]
[ HAVING search_condition ]
[ ORDER BY order_expression [ ASC | DESC ] ]

Now, let see each clause separately.

8
SELECT Clause

Specifies the columns to be returned by the query.

Syntax

SELECT [ ALL | DISTINCT ]


    [ TOP n]
    < selected_Column_list > | *

See the select clause in the following example

Eg. Select Distinct top 10 * From customers

<Selected_column_list> is the list of the fields to be returned in the resulting tables.


Alternatively we can specify “* “so, that the resulting Table will contain all the fields in
the source table(s)

INTO Clause
Syntax

INTO new_table

Creates a new table and inserts the resulting rows from the query into it.

new_table

Specifies the name of a new table to be created, based on the columns in the select list
and the rows chosen by the WHERE clause. The format of new_table is determined by
evaluating the expressions in the select list. The columns in new_table are created in the
order specified by the select list. Each column in new_table has the same name, data type,
and value as the corresponding expression in the select list.

Suppose we use the “customers” table in the “northwind” database. The following
example inserts the result of the select statement in to “mycustomers” table.

Select *

Into mycustomers

From customers

Where CustomerId like ‘A%’

9
Then you can see the results in the following way

Select * from mycustomers

FROM Clause

Syntax

[FROM { < table_source > } [ ,...n ] ]

The <table_source> can be one or more tables and Moreover, these tables can be either
existing or derived from existing ones using another Select statement.

See the From Clause in the following example

Eg1. select * from Employees

Eg2. SELECT RTRIM(a.au_fname) + ' ' + LTRIM(a.au_lname) AS Name,


d1.title_id
FROM authors a, (SELECT title_id, au_id FROM titleauthor) AS d1
WHERE a.au_id = d1.au_id
ORDER BY a.au_lname, a.au_fname

Where Clause

Specifies a search condition to restrict the rows returned by the query.

Syntax

[ WHERE < search_condition > | < old_outer_join > ]

<search_condition >

Is a combination of one or more predicates using the logical operators AND, OR, and
NOT.

Restricts the rows returned in the result set through the use of predicates. There is no
limit to the number of predicates that can be included in a search condition

10
The other option in the where clause is the Join(Outer join)

< old_outer_join >

Here we can specify the related tables using the foreign key relation
ship

Select Eid, Name, deptId


From Employee,Department

Where employee.deptId=Department.deptId

Which may be specified in the from clause using the key word “join”

As in

Select Eid,Name,DeptId

From Employee e join department d on d.deptId=e.deptId

See the where clause in the following examples

1 simple where clause

SELECT *

FROM titles
WHERE price > $25 OR price < $20

2 using correlated sub queries

SELECT DISTINCT pub_name


FROM publishers
WHERE EXISTS
(SELECT *
FROM titles
WHERE pub_id = publishers.pub_id
AND type = 'business')

3 using string operators

SELECT au_fname, au_lname, phone AS Telephone


FROM authors
WHERE state = 'CA' and au_lname <> 'McBadden'

11
Types of Sub Queries
Scalar Sub-query - single value (1 cell,1 row)
Row Sub-query- single row (single row multiple columns
Table Sub-query- returns multi row, multi-column table, possibly
with empty table.
By this implication you may have multiple nested sub-queries.

Operators
An operator is a symbol specifying an action that is performed on one or more
expressions. The following are the major categories that we have

 Arithmetic operators

Arithmetic Operators

Arithmetic operators perform mathematical operations on two expressions of any of the


data types of the numeric data type category. int, smallint, tinyint, decimal, numeric,
float, real, money, and smallmoney data types

Operator Meaning
+ (Add) Addition.
- (Subtract) Subtraction.
* (Multiply) Multiplication.
/ (Divide) Division.
% (Modulo) Returns the integer remainder of a division. For example, 12 % 5 =
2 because the remainder of 12 divided by 5 is 2.

The plus (+) and minus (-) can also be used to perform arithmetic operations on datetime
and smalldatetime values.

12
 Assignment operator

Transact-SQL has one assignment operator, the equals sign (=).

Comparison Operators

Comparison operators test whether or not two expressions are the same. Comparison
operators can be used on all expressions except expressions of the text, ntext, or image
data types.

Operator Meaning
= (Equals) Equal to
> (Greater Than) Greater than
< (Less Than) Less than
>= (Greater Than or Equal To) Greater than or equal to
<= (Less Than or Equal To) Less than or equal to
<> (Not Equal To) Not equal to
!= (Not Equal To) Not equal to (not SQL-92 standard)
!< (Not Less Than) Not less than (not SQL-92 standard)
!> (Not Greater Than) Not greater than (not SQL-92 standard)

The result of a comparison operator has the Boolean data type, which has three values:
TRUE, FALSE, and UNKNOWN. Expressions that return a Boolean data type are known
as Boolean expressions.

Unlike other SQL Server data types, a Boolean data type cannot be specified as the data
type of a table column or variable, and cannot be returned in a result set.

When SET ANSI_NULLS is ON, an operator that has one or two NULL expressions
returns UNKNOWN. When SET ANSI_NULLS is OFF, the same rules apply, except an
equals operator returns TRUE if both expressions are NULL. For example, NULL =
NULL returns TRUE if SET ANSI_NULLS is OFF.

13
Logical Operators

Logical operators test for the truth of some condition. Logical operators, like comparison
operators, return a Boolean data type with a value of TRUE or FALSE.

Operator Meaning
ALL TRUE if all of a set of comparisons are TRUE.
AND TRUE if both Boolean expressions are TRUE.
ANY TRUE if any one of a set of comparisons is TRUE.
BETWEEN TRUE if the operand is within a range.
EXISTS TRUE if a subquery contains any rows.
IN TRUE if the operand is equal to one of a list of expressions.
LIKE TRUE if the operand matches a pattern.
NOT Reverses the value of any other Boolean operator.
OR TRUE if either Boolean expression is TRUE.
SOME TRUE if some of a set of comparisons are TRUE.

The search conditions, or qualifications, in the WHERE and HAVING clauses can
include:

 Comparison operators (such as =, < >, <, and >). For example, this query
retrieves the rows from the Products table for the products that are in product
category 2:

SELECT ProductID, ProductName


FROM Products
WHERE CategoryID = 2
ORDER BY ProductID

 Ranges (BETWEEN and NOT BETWEEN). For example, this query retrieves
rows from the Products table with categories from 2 to 4:

SELECT CategoryID, ProductID, ProductName

14
FROM Products
WHERE CategoryID BETWEEN 2 and 4
ORDER BY CategoryID, ProductID
 Lists (IN, NOT IN). For example, this query retrieves rows from the Products
table in which the Category ID matches one in a list of IDs:

SELECT CategoryID, ProductID, ProductName


FROM Products
WHERE CategoryID IN (1,4,5,7)
ORDER BY CategoryID, ProductID
 Pattern matches (LIKE and NOT LIKE). For example, this query retrieves rows
from the Products table in which the product name starts with the letters Ch:

SELECT CategoryID, ProductID, ProductName


FROM Products
WHERE ProductName LIKE 'Ch%'
ORDER BY CategoryID, ProductID

Note The only WHERE conditions that you can use on text columns are
functions that return another data type, such as PATINDEX(), or the
operators, such as IS NULL, IS NOT NULL, LIKE, and NOT LIKE.

Pattern Matching in Search Conditions


The LIKE keyword searches for character string, date, or time values that match a
specified pattern. The LIKE keyword uses a regular expression to contain the pattern that
the values are matched against. The pattern contains the character string to search for,
which can contain any combination of four wildcards.

Wildcard Meaning
% Any string of zero or more characters.
_ Any single character.
[] Any single character within the specified range (for example, [a-
f]) or set (for example, [abcdef]).
[^] Any single character not within the specified range (for example,
[^a - f]) or set (for example, [^abcdef]).

15
Enclose the wildcard(s) and the character string in single quotation marks, for example:

 LIKE 'Mc%' searches for all strings that begin with the letters Mc (McBadden).

 LIKE '%inger' searches for all strings that end with the letters inger (Ringer,
Stringer).
 LIKE '%en%' searches for all strings that contain the letters en anywhere in the
string (Bennet, Green, McBadden).
 LIKE '_heryl' searches for all six-letter names ending with the letters heryl
(Cheryl, Sheryl).
 LIKE '[CK]ars[eo]n' searches for Carsen, Karsen, Carson, and Karson (Carson).
 LIKE '[M-Z]inger' searches for all names ending with the letters inger that begin
with any single letter from M through Z (Ringer).
 LIKE 'M[^c]%' searches for all names beginning with the letter M that do not
have the letter c as the second letter (MacFeather).

This query finds all phone numbers in the authors table that have area code 415:

SELECT phone
FROM pubs.dbo.authors
WHERE phone LIKE '415%'

You can use NOT LIKE with the same wildcards. To find all phone numbers in the
authors table that have area codes other than 415, use either of these equivalent queries:

SELECT phone
FROM pubs.dbo.authors
WHERE phone NOT LIKE '415%'

-- Or

SELECT phone
FROM pubs.dbo.authors
WHERE NOT phone LIKE '415%'

The IS NOT NULL clause can be used with wildcards and the LIKE clause. For example,
this query retrieves telephone numbers from the authors table in which the telephone
number begins with 415 and IS NOT NULL:

USE pubs
SELECT phone
FROM authors
WHERE phone LIKE '415%' and phone IS NOT NULL

The only WHERE conditions that you can use on text columns are LIKE, IS NULL, or
PATINDEX.

16
Wildcards used without LIKE are interpreted as constants rather than as a pattern, that is,
they represent only their own values. The following query attempts to find any phone
numbers that consist of the four characters 415% only. It will not find phone numbers
that start with 415.

SELECT phone
FROM pubs.dbo.authors
WHERE phone = '415%'

Another important consideration in using wildcards is their effect on performance. If a


wildcard begins the expression, an index cannot be used. (Just as you wouldn't know
where to start in a phone book if given the name '%mith', not 'Smith'.) A wildcard in or at
the end of an expression does not preclude use of an index (just as in a phone book, you
would know where to search if the name was 'Samuel%', regardless of whether the names
Samuels and Samuelson are both there).

Searching for Wildcard Characters

You can search for wildcard characters. There are two methods for specifying a character
that would ordinarily be a wildcard:

 Use the ESCAPE keyword to define an escape character. When the escape
character is placed in front of the wildcard in the pattern, the wildcard is
interpreted as a character. For example, to search for the string 5% anywhere in a
string, use:

WHERE ColumnA LIKE '%5/%%' ESCAPE '/'

In this LIKE clause, the leading and ending percent signs (%) are interpreted as
wildcards, and the percent sign preceded by a slash (/) is interpreted as the %
character.

 Use square brackets ([ ]) to enclose the wildcard by itself. To search for a dash (-),
rather than using it to specify a search range, use the dash as the first character
inside a set of brackets:

WHERE ColumnA LIKE '9[-]5'

The table shows the use of wildcards enclosed in square brackets.

17
Symbol Meaning
LIKE '5[%]' 5%
LIKE '5%' 5 followed by any string of 0 or more characters

LIKE '[_]n' _n
LIKE '_n' an, in, on (and so on)
LIKE '[a-cdf]' a, b, c, d, or f
LIKE '[-acdf]' -, a, c, d, or f
LIKE '[ [ ]' [
LIKE ']' ]

When string comparisons are performed with LIKE, all characters in the pattern string are
significant, including every leading and/or trailing blank (space). If a comparison to
return all rows with a string LIKE 'abc ' (abc followed by a single space) is requested, a
row in which the value of that column is abc (abc without a space) is not returned. The
reverse, however, is not true. Trailing blanks in the expression to which the pattern is
matched are ignored. If a comparison to return all rows with a string LIKE 'abc' (abc
without a space) is requested, all rows that start with abc and have zero or more trailing
blanks are returned

 Null values (IS NULL and IS NOT NULL). For example, this query retrieves
rows from the Customers table in which the customers' region is not NULL:

SELECT CompanyName, City, Region, Country


FROM Customers
WHERE Region IS NOT NULL
ORDER BY CompanyName

Note: Use caution when comparing null values. For example, specifying =


NULL is not the same as specifying IS NULL. A value of NULL indicates the
value is unknown. A value of NULL is different from an empty or zero value. No
two null values are equal. Comparisons between two null values, or between a
NULL and any other value, return unknown because the value of each NULL is
unknown.

 All records (=ALL, >ALL, <= ALL, ANY). For example, this query retrieves
order and product IDs from the Order Details table in which the quantity of the
product shipped is larger than the quantity shipped for any product in category 1:

USE Northwind
GO
SELECT OrdD1.OrderID, OrdD1.ProductID
FROM "Order Details" OrdD1

18
WHERE OrdD1.Quantity > ALL
(SELECT OrdD2.Quantity
FROM "Order Details" OrdD2 JOIN Products Prd
ON OrdD2.ProductID = Prd.ProductID
WHERE Prd.CategoryID = 1)
GO
 Combinations of these conditions (AND, OR, NOT). For example, this query
retrieves all products for which either the stock level is lower than the reorder
point or the product comes from supplier 15 and is in category 4:

SELECT ProductID, ProductName


FROM Products
WHERE UnitsInStock < ReorderLevel
OR (SupplierID = 15 AND CategoryID = 4)

Using Aggregate Functions in the Select List


Aggregate functions (such as SUM, AVG, COUNT, COUNT(*), MAX, and MIN)
generate summary values in query result sets. An aggregate function (with the exception
of COUNT(*)) processes all the selected values in a single column to produce a single
result value. Aggregate functions can be applied to all rows in a table, to a subset of the
table specified by a WHERE clause, or to one or more groups of rows in the table. When
an aggregate function is applied, a single value is generated from each set of rows.

This example calculates the sum of year-to-date sales for all books in the titles table:

USE pubs
SELECT SUM(ytd_sales)
FROM titles

Here is the result set:

------------------
97446

(1 row(s) affected)
With this query, you can find the average price of all books if prices
were doubled:
USE pubs
SELECT avg(price * 2)
FROM titles

Here is the result set:

------------------
29.53
(1 row(s) affected)

19
The table shows the syntax of the aggregate functions and their results (expression is
almost always a column name).

Aggregate function Result


SUM([ALL | DISTINCT] expression) Total of the values in the numeric expression
AVG([ALL | DISTINCT] expression) Average of the values in the numeric expression

COUNT([ALL | DISTINCT] expression) Number of values in the expression

COUNT(*) Number of selected rows


MAX(expression) Highest value in the expression

MIN(expression) Lowest value in the expression

SUM, AVG, COUNT, MAX, and MIN ignore null values; COUNT(*) does not.

The optional keyword DISTINCT can be used with SUM, AVG, and COUNT to
eliminate duplicate values before an aggregate function is applied (the default is ALL).

SUM and AVG can be used only with numeric columns, for example int, smallint,
tinyint, decimal, numeric, float, real, money, and smallmoney data types. MIN and
MAX cannot be used with bit data types. Aggregate functions other than COUNT(*)
cannot be used with text and image data types.

With these exceptions, aggregate functions can be used with any type of column. For
example, in a character data type column, use MIN (minimum) to find the lowest value
(the one closest to the beginning of the alphabet):

USE pubs
SELECT MIN(au_lname)
FROM authors

Here is the result set:

------------------
Bennet

(1 row(s) affected)

The result type returned by an aggregate function may have a larger precision than the
inputs so that the result type is large enough to hold the aggregated result value. For
example, the SUM or AVG functions return an int value when the data type of the inputs
is smallint or tinyint.

20
When aggregate functions are used in a select list, the select list can contain only:

 Aggregate functions.

 Grouping columns from a GROUP BY clause.


 An expression that returns the same value for every row in the result set, such as a
constant.

Aggregate functions cannot be used in a WHERE clause. However, a SELECT statement


with aggregate functions in its select list often includes a WHERE clause that restricts the
rows to which the aggregate function is applied. If a SELECT statement includes a
WHERE clause (but not a GROUP BY clause), an aggregate function produces a single
value for the subset of rows specified by the WHERE clause. This is true whether it is
operating on all rows in a table or on a subset of rows defined by a WHERE clause. Such
a function is called a scalar aggregate.

This query returns the average advance and the sum of year-to-date sales for business
books only:

USE pubs
SELECT AVG(advance), SUM(ytd_sales)
FROM titles
WHERE type = 'business'

Here is the result set:

--------- -------
6,281.25 30788

(1 row(s) affected)

You can use more than one aggregate function in the same select list and produce more
than one scalar aggregate in a single SELECT statement.

Example

Create table department (

DepartmentCode int primary key,

Department Name char (3),

AccountNumber varchar (30)

21
Create table Telphone (

telephonenumber char (16) primary key,

Telephonetype cahr(16),

Rent money,

Person_In_Charge char (30),

Departmentcode int

Foreign key (departmentcode) references Department (departmentcode)

A. select d.departmentName, count(t.telephonenumber) from

telephonenumber t, department d
where d.departmentcode=t.departmentcode
group by d.departmentname

B.
select count(t.telephonenumber) as "Number Of Telephone
Lines",sum(rent) as [total Rent]
from telephonenumber t,department d
where d.departmentcode=t.departmentcode

The GROUP BY clause

This is used to produce aggregate values for each row in the result set. When used
without a GROUP BY clause, aggregate functions report only one aggregate value
for a SELECT statement.

There are restrictions on the items that can be specified in the select list when a SELECT
statement contains a GROUP BY. Items allowed in the select list are:

 The grouping columns.

 Expressions that return only one value for each value in the grouping columns,
such as aggregate functions that have a column name as one of their parameters.
These are known as vector aggregates.

This example returns the number of units sold for each product in category 2:

22
When we have more than one table list in the from clause we can give the tables an alias

The alias may be given as

table_name alias

Or

table_name as alias ….where “as” is a key word

example1

USE Northwind
SELECT OrdD.ProductID AS ProdID,
SUM(OrdD.Quantity) AS AmountSold
FROM [Order Details] AS OrdD JOIN Products as Prd
ON OrdD.ProductID = Prd.ProductID
AND Prd.CategoryID = 2
GROUP BY OrdD.ProductID

Here is the result set:


ProdID AmountSold
----------- -----------
3 328
4 453
5 298
6 301
8 372
15 122
44 601
61 603
63 445
65 745
66 239
77 791

(12 row(s) affected)

HAVING Clause

Specifies a search condition for a group or an aggregate. HAVING is usually used with
the GROUP BY clause. When GROUP BY is not used, HAVING behaves like a
WHERE clause. Is another level to restrict the number of rows returned.

Example

The example bellow llists products which have been ordered more than 6 times

23
Select P.productName,count(d.productId) as [Number of orders] from products p, "order
details" d

Where p.productId = d.productId

group by P.productName

Having count(d.productId)>6

order by p.productname desc

The ORDER BY clause

Sorts query results by one or more columns. The sorting is done using the order by
column list in a cascading manner so that records which are not sorted in the first order
by column will be sorted using the second and so on.,

You can also use the column index (non-zero base) in your select list to specify the
sorting column.

In the following example the result set will contain product with product Category
decreasing if there are products with same CategoryId, then the product with the largest
Unit price will be displayed first

Example

Use northwind

select productname, categoryId,unitPrice

from products

order by CategoryId Desc,UnitPrice Desc

Using Outer Joins


Inner joins return rows only when there is at least one row from both tables that matches
the join condition. Inner joins eliminate the rows that do not match with a row from the
other table. Outer joins, however, return all rows from at least one of the tables or views
mentioned in the FROM clause, as long as those rows meet any WHERE or HAVING
search conditions. All rows are retrieved from the left table referenced with a left outer
join, and all rows from the right table referenced in a right outer join. All rows from both
tables are returned in a full outer join

24
 LEFT OUTER JOIN or LEFT JOIN

 RIGHT OUTER JOIN or RIGHT JOIN


 FULL OUTER JOIN or FULL JOIN

SQL Server supports both the SQL-92 outer join syntax and a legacy syntax for
specifying outer joins based on using the *= and =* operators in the WHERE clause. The
SQL-92 syntax is recommended because it is not subject to the ambiguity that sometimes
results from the legacy Transact-SQL outer joins.

Using Left Outer Joins

Consider a join of the authors table and the publishers table on their city columns. The
results show only the authors who live in cities in which a publisher is located (in this
case, Abraham Bennet and Cheryl Carson).

To include all authors in the results, regardless of whether a publisher is located in the
same city, use an SQL-92 left outer join. The following is the query and results of the
Transact-SQL left outer join:

USE pubs
SELECT a.au_fname, a.au_lname, p.pub_name
FROM authors a LEFT OUTER JOIN publishers p
ON a.city = p.city
ORDER BY p.pub_name ASC, a.au_lname ASC, a.au_fname ASC

Here is the result set:

au_fname au_lname pub_name


-------------------- ------------------------------ -----------------
Reginald Blotchet-Halls NULL
Michel DeFrance NULL
Innes del Castillo NULL
Ann Dull NULL
Marjorie Green NULL
Morningstar Greene NULL
Burt Gringlesby NULL
Sheryl Hunter NULL
Livia Karsen NULL
Charlene Locksley NULL
Stearns MacFeather NULL
Heather McBadden NULL
Michael O'Leary NULL
Sylvia Panteley NULL
Albert Ringer NULL
Anne Ringer NULL
Meander Smith NULL
Dean Straight NULL
Dirk Stringer NULL
Johnson White NULL
Akiko Yokomoto NULL
Abraham Bennet Algodata Infosystems

25
Cheryl Carson Algodata Infosystems

(23 row(s) affected)

The LEFT OUTER JOIN includes all rows in the authors table in the results, whether or
not there is a match on the city column in the publishers table. Notice that in the results
there is no matching data for most of the authors listed; therefore, these rows contain null
values in the pub_name column.

Using Right Outer Joins

Consider a join of the authors table and the publishers table on their city columns. The
results show only the authors who live in cities where a publisher is located (in this case,
Abraham Bennet and Cheryl Carson). The SQL-92 right outer join operator, RIGHT
OUTER JOIN, indicates all rows in the second table are to be included in the results,
regardless of whether there is matching data in the first table.

To include all publishers in the results, regardless of whether a city has a publisher
located in the same city, use an SQL-92 right outer join. Here is the Transact-SQL query
and results of the right outer join

USE pubs
SELECT a.au_fname, a.au_lname, p.pub_name
FROM authors AS a RIGHT OUTER JOIN publishers AS p
ON a.city = p.city
ORDER BY p.pub_name ASC, a.au_lname ASC, a.au_fname ASC

Here is the result set:

au_fname au_lname pub_name

-------------------- ------------------------ --------------------

Abraham Bennet Algodata Infosystems


Cheryl Carson Algodata Infosystems
NULL NULL Binnet & Hardley
NULL NULL Five Lakes Publishing
NULL NULL GGG&G
NULL NULL Lucerne Publishing
NULL NULL New Moon Books
NULL NULL Ramona Publishers
NULL NULL Scootney Books

(9 row(s) affected)

An outer join can be further restricted by using a predicate (such as comparing the join to
a constant). This example contains the same right outer join, but eliminates all titles that
have sold fewer than 50 copies:

26
USE pubs
SELECT s.stor_id, s.qty, t.title
FROM sales s RIGHT OUTER JOIN titles t
ON s.title_id = t.title_id
AND s.qty > 50
ORDER BY s.stor_id ASC

Here is the result set:

stor_id qty title


------- ------ ---------------------------------------------------------
(null) (null) But Is It User Friendly?
(null) (null) Computer Phobic AND Non-Phobic Individuals: Behavior
Variations
(null) (null) Cooking with Computers: Surreptitious Balance Sheets
(null) (null) Emotional Security: A New Algorithm
(null) (null) Fifty Years in Buckingham Palace Kitchens
7066 75 Is Anger the Enemy?
(null) (null) Life Without Fear
(null) (null) Net Etiquette
(null) (null) Onions, Leeks, and Garlic: Cooking Secrets of the
Mediterranean
(null) (null) Prolonged Data Deprivation: Four Case Studies
(null) (null) Secrets of Silicon Valley
(null) (null) Silicon Valley Gastronomic Treats
(null) (null) Straight Talk About Computers
(null) (null) Sushi, Anyone?
(null) (null) The Busy Executive's Database Guide
(null) (null) The Gourmet Microwave
(null) (null) The Psychology of Computer Cooking
(Null) (null) You Can Combat Computer Stress!
(18 row(s) affected)

Using Full Outer Joins

To retain the nonmatching information by including nonmatching rows in the results of a


join, use a full outer join. Microsoft® SQL Server™ 2000 provides the full outer join
operator, FULL OUTER JOIN, which includes all rows from both tables, regardless of
whether or not the other table has a matching value.

Consider a join of the authors table and the publishers table on their city columns. The
results show only the authors who live in cities in which a publisher is located (in this
case, Abraham Bennet and Cheryl Carson). The SQL-92 FULL OUTER JOIN operator
indicates that all rows from both tables are to be included in the results, regardless of
whether there is matching data in the tables.

To include all publishers and all authors in the results, regardless of whether a city has a
publisher located in the same city, or whether a publisher is located in the same city, use
a full outer join. The following is the query and results of the Transact-SQL full outer
join:

USE pubs

27
SELECT a.au_fname, a.au_lname, p.pub_name
FROM authors a FULL OUTER JOIN publishers p
ON a.city = p.city
ORDER BY p.pub_name ASC, a.au_lname ASC, a.au_fname ASC

Here is the result set:

au_fname au_lname pub_name


-------------------- ---------------------------- --------------------
Reginald Blotchet-Halls NULL
Michel DeFrance NULL
Innes del Castillo NULL
Ann Dull NULL
Marjorie Green NULL
Morningstar Greene NULL
Burt Gringlesby NULL
Sheryl Hunter NULL
Livia Karsen NULL
Charlene Locksley NULL
Stearns MacFeather NULL
Heather McBadden NULL
Michael O'Leary NULL
Sylvia Panteley NULL
Albert Ringer NULL
Anne Ringer NULL
Meander Smith NULL
Dean Straight NULL
Dirk Stringer NULL
Johnson White NULL
Akiko Yokomoto NULL
Abraham Bennet Algodata Infosystems
Cheryl Carson Algodata Infosystems
NULL NULL Binnet & Hardley
NULL NULL Five Lakes Publishing
NULL NULL GGG&G
NULL NULL Lucerne Publishing
NULL NULL New Moon Books
NULL NULL Ramona Publishers
NULL NULL Scootney Books

(30 row(s) affected)

Using Inner Joins

An inner join is a join in which the values in the columns being joined are compared
using a comparison operator.

In the SQL-92 standard, inner joins can be specified in either the FROM or WHERE
clause. This is the only type of join that SQL-92 supports in the WHERE clause. Inner
joins specified in the WHERE clauses are known as old-style inner joins.

28
This Transact-SQL query is an example of an inner join:

USE pubs
SELECT *
FROM authors AS a INNER JOIN publishers AS p
ON a.city = p.city
ORDER BY a.au_lname DESC

This inner join is known as an equi-join. It returns all the columns in both tables, and
returns only the rows for which there is an equal value in the join column.

Here is the result set:

au_id au_lname au_fname phone address city


----------- -------- -------- ------------ --------------- --------
238-95-7766 Carson Cheryl 415 548-7723 589 Darwin Ln. Berkeley
409-56-7008 Bennet Abraham 415 658-9932 6223 Bateman St. Berkeley

state zip contract pub_id pub_name city state country


----- ----- -------- ------ --------------------- -------- ----- -------
CA 94705 1 1389 Algodata Infosystems Berkeley CA USA
CA 94705 1 1389 Algodata Infosystems Berkeley CA USA

(2 row(s) affected)

In the result set, the city column appears twice. Because there is no point in repeating the
same information, one of these two identical columns can be eliminated by changing the
select list. The result is called a natural join. You can restate the preceding Transact-SQL
query to form a natural join. For example:

USE pubs
SELECT p.pub_id, p.pub_name, p.state, a.*
FROM publishers p INNER JOIN authors a
ON p.city = a.city
ORDER BY a.au_lname ASC, a.au_fname ASC

Here is the result set:

pub_id pub_name state au_id au_lname au_fname


------ --------------- -------- ----------- -------- --------
1389 Algodata Infosystems CA 409-56-7008 Bennet Abraham
1389 Algodata Infosystems CA 238-95-7766 Carson Cheryl

phone address city state zip contract


--------------- ------------- -------- ----- ----- ---------
415 658-9932 6223 Bateman St. Berkeley CA 94705 1
415 548-7723 589 Darwin Ln. Berkeley CA 94705 1

(2 row(s) affected)

In this example, publishers.city does not appear in the results.

29
Joins Using Operators Other Than Equal

You can also join values in two columns that are not equal. The same operators and
predicates used for inner joins can be used for not-equal joins. This Transact-SQL
example is of a greater-than (>) join which finds New Moon authors who live in states
that come alphabetically after Massachusetts, where New Moon Books is located.

USE pubs
SELECT p.pub_name, p.state, a.au_lname, a.au_fname, a.state
FROM publishers p INNER JOIN authors a
ON a.state > p.state
WHERE p.pub_name = 'New Moon Books'
ORDER BY au_lname ASC, au_fname ASC

Here is the result set:

pub_name state au_lname au_fname state


---------------- ------- -------------------- -------------------- -----
New Moon Books MA Blotchet-Halls Reginald OR
New Moon Books MA del Castillo Innes MI
New Moon Books MA Greene Morningstar TN
New Moon Books MA Panteley Sylvia MD
New Moon Books MA Ringer Albert UT
New Moon Books MA Ringer Anne UT
(6 row(s) affected)

Joins Using the Not-equal Operator

The not-equal join (< >) is rarely used. As a general rule, not-equal joins make sense only
when used with a self-join. For example, this not-equal Transact-SQL join and self-join
are used to find the categories with two or more inexpensive (less than $15) books of
different prices:

USE pubs
SELECT DISTINCT t1.type, t1.price
FROM titles t1 INNER JOIN titles t2
ON t1.type = t2.type
AND t1.price <> t2.price
WHERE t1.price < $15 AND t2.price < $15

Note: The expression NOT column_name = column_name is equivalent to


column_name < > column_name.

This Transact-SQL example uses a not-equal join combined with a self-join to find all
rows in the titleauthor table in which two or more rows have the same title_id but
different au_id numbers (that is, books with more than one author):

USE pubs
SELECT DISTINCT t1.au_id, t1.title_id
FROM titleauthor t1 INNER JOIN titleauthor t2
ON t1.title_id = t2.title_id

30
WHERE t1.au_id <> t2.au_id
ORDER BY t1.au_id

Here is the result set:

au_id title_id
----------- --------
213-46-8915 BU1032
267-41-2394 BU1111
267-41-2394 TC7777
409-56-7008 BU1032
427-17-2319 PC8888
472-27-2349 TC7777
672-71-3249 TC7777
722-51-5454 MC3021
724-80-9391 BU1111
724-80-9391 PS1372
756-30-7391 PS1372
846-92-7186 PC8888
899-46-2035 MC3021
899-46-2035 PS2091
998-72-3567 PS2091

(15 row(s) affected)

Creating Views

A view is a virtual table that is created using a select statement from one or more tables.
The table doesn’t actually exist, it is virtual. Views help to create appropriate
“eyeglasses” for the different users we have in our database there by implementing
security on private data, avoid complexity of data representation to the user by presenting
only attributes the user is familiar and interested with, enables to generate analysis of
information combining data from different tables etc.

The syntax to create a view is as follows

Create view view_name

As

select select list

From table_source

Where <search condition>

31
USE pubs

CREATE VIEW titles_view


AS
SELECT title, type, price, pubdate
FROM titles

Update statement

Update statement is used to update a record in one or more tables in our database

The key words “update” and “set” is used to perform this task. While updating records
we can update multiple fields in a single update statement separated by a comma. The
optional where search condition is used to specify which records from among our
database are to be updated. If the where search condition is not specified, then fields of
all records in the table or view will be updated.

Syntax

Update table_or_view_name set column_name1 = new_value,


column_name2=new_value…..n [Where <search_condition>]

Example

Increase the unit price of all products in category 1 by 10 % in the products table

Use Northwind

Update Products set unitPrice = unitprice + (unitprice * 0.1)

Where categoryId =1

To see the result then

Select sum (unitprice) from products

Where categoryId =1

Use the UPDATE statement using information from another table

This example modifies the ytd_sales column in the titles table to reflect the most recent
sales recorded in the sales table.

32
UPDATE titles
SET ytd_sales = titles.ytd_sales + sales.qty
FROM titles, sales
WHERE titles.title_id = sales.title_id
AND sales.ord_date = (SELECT MAX(sales.ord_date) FROM sales)

Delete Statemet

Delete statement is used to remove a record form our database. The key word “Delete” is
used to perform this task

Delete from <table_source> [where <search condition>]

The optional where search condition is used to point records to be deleted, among our
records, from the database

If incase the where clause in the delete statement is missing the implication is that all
records will be deleted from the specified table source

Example

1. Delete a customer whose customer Id =AGSG

Use northwind

Delete from customers where customerId=’AGSG’

2. Delete products whose quantity is equal to zero

Delete from products

where quantity =0

33

You might also like