Introduction SQL Server
Introduction SQL Server
Probably before using a database, you must first have one. A database is primarily
a group of computer files that each has a name and a location. Just as there are
different ways to connect to a server, in the same way, there are also different
ways to create a database.
Besides identifying who accesses the system, the master database also keeps
track of everything you do on the server, including creating and managing
databases.
You should not play with the master database; otherwise you may corrupt the
system. For example, if the master database is not functioning right, the system
would not work.
A Namespace
A namespace is a technique of creating a series of items that each has a unique
name. For example, if you start creating many databases, there is a possibility that
you may risk having various databases with the same name. If using a namespace,
you can isolate the databases in various namespaces. In reality, to manage many
other aspects of your database server, you use namespaces and you put objects,
other than databases, within those namespaces. Therefore, a namespace and its
content can be illustrated as follows:
Inside of a schema, two objects cannot have the same name, but an object in one
schema can have the same name as an object in another schema. Based on this, if
you are accessing an object within its schema, you can simply use its name, since
that name would be unique. On the other hand, because of the implied possibility
of dealing with objects with similar names in your server, when accessing an object
outside of its schema, you must qualify it. To do this, you would type the name of
the schema that contains the object you want to use, followed by the period
operator, followed by the name of the object you want to use. From our illustration,
to access the Something1 object that belongs to Schema1, you would type:
Schema1.Something1
There are two types of schemas you can use, those built-in and those you create.
When Microsoft SQL Server is installed, it also creates a few schemas. One of the
schemas is called sys.
The sys schema contains a list of some of the objects that exist in your system.
One of these objects is called databases (actually, it's a view). When you create a
database, its name is entered in the databases object using the same name you
gave it.
Comments
/* First find out if the database we want to create exists
already */
Create database
CREATE DATABASE RealEstate1;
GO
USE DatabaseName
PRINT Something
Like every language, SQL ships with some words used to carry its various
operations. One of these words is PRINT. To display something in plain text as a
result of a statement, type PRINT followed by what to display. Therefore, PRINT
uses the following formula:
PRINT WhatToPrint
SELECT
SELECT 'Hourly Salary', 24.85
Nesting a SELECT Statement
When you create a SELECT statement, what is on the right side of SELECT must
be a value. Here is an example:
SELECT 226.75;
Based on this definition, instead of just being a value, the thing on the right side of
SELECT must be able to produce a value. As we will see in the next sections, you
can create algebraic operation on the right side of SELECT. Because we mentioned
that the thing on the right side must produce a result, you can as well use another
SELECT statement that it itself evaluates to a result. To distinguish the SELECT
sections, the second one should be included in parentheses. Here is an example:
When one SELECT statement is created after another, the second is referred to as
nested.
Just as you can nest one SELECT statement inside of another, you can also nest
one statement in another statement that itself is nested. Here is an example:
You can also include the item on the right side of AS in single-quotes. Here is an
example:
Algebra uses a type of ruler to classify numbers. This ruler has a middle position of
zero. The numbers on the left side of the 0 are referred to as negative while the
numbers on the right side of the rulers are considered positive:
-∞ -6 -5 -4 -3 -2 -1 1 2 3 4 5 6 +∞
0
-∞ -6 -5 -4 -3 -2 -1 1 2 3 4 5 6 +∞
The positive unary operator, when used, must be positioned on the left side of its
operand, never on the right side.
To express a variable as positive or unsigned, you can just type it. here is an
example:
PRINT +1250
The Negative Operator -
As you can see on the above ruler, in order to express any number on the left side
of 0, it must be appended with a sign, namely the - symbol. Examples are -12,
-448, -32706. A value accompanied by - is referred to as negative.
The - sign must be typed on the left side of the number it is used to negate.
Here is an example that uses two variables. One has a positive value while the
other has a negative value:
SELECT -1250
Binary Operators
The Addition
An operator is referred to as binary if it operates on two operands.
The addition, also called the sum, is an operation used to add one item to another.
The addition is performed using the + sign. To get the addition of two values, you
type + between them, as in Value1 to Value2. After the addition has been
performed, you get a new value that you can make available or display to the user.
You can perform the addition on two numbers. Here is an example:
In Transact-SQL, you can also perform the addition on text. Here is an example:
You can also add more than two values, like a + b + c. The order you use to add
two or more values doesn't matter. This means Value1 + Value2 is the same as
Value2 + Value1. In the same way a + b + c is the same as a + c + b the same as
b + a + c and the same as c + b + a.
The Subtraction
The subtraction operation, sometimes called the difference, is used to take out or
subtract one value from another value. It is essentially the opposite of the addition.
The subtraction is performed with the - sign. Here is an example:
Unlike the addition, the subtraction operation is not associative. This means that a
- b - c is not necessarily equal to c - b - a. This is illustrated in the following
statements:
PRINT 128 - 42 - 5
PRINT 5 - 42 - 128
81
-165
Notice that both operations of the addition convey the same result. In the
subtraction section, the numbers follow the same order but a different operation;
and the last two operations render different results.
The Multiplication
The multiplication allows adding one value to itself a certain number of times, set
by a second value. As an example, instead of adding a value to itself in this
manner: a + a + a + a, since the variable a is repeated over and over again, you
could simply find out how many times a is added to itself, then multiply a by that
number which, is this case, is 4. This would mean adding a to itself 4 times, and
you would get the same result.
The multiplication is performed with the * sign. Just like the addition, the
multiplication is associative: a * b * c = c * b * a. Here is an example:
PRINT 128 * 42
The Division
The division operation is similar to cutting an item in pieces or fractions of a set
value. Therefore, the division is used to get the fraction of one number in terms of
another. The division is performed with the forward slash /. Here is an example:
PRINT 128 / 42
When performing the division, be aware of its many rules. Never divide by zero
(0). Make sure that you know the relationship(s) between the numbers involved in
the operation.
The Modulo
In the above division, 128/42, the result is 3. When you multiply 42 by 3, as in
42*3, you get 126. In some cases, you may be interested in knowing the amount
that was left out after the operation. The modulo operation is used to get the
remainder of a division as a natural number. The remainder operation is performed
with the percent sign (%). Here is an example:
PRINT 128 % 42
Parentheses
Like most computer languages, Transact-SQL uses parentheses to isolate a group
of items that must be considered as belonging to one entity. For example, as we
will learn soon, parentheses allow a function to delimit the list of its arguments.
Parentheses can also be used to isolate an operation or an expression with regards
to another operation or expression. For example, when studying the algebraic
operations, we saw that the subtraction is not associative and can lead to
unpredictable results. In the same way, if your operation involves various operators
such as a mix of addition(s) and subtraction(s), you can use parentheses to specify
how to proceed with the operations, that is, what operation should (must) be
performed first. Here is an example:
As you can see, using the parentheses controls how the whole operation would
proceed. This difference can be even more accentuated if your operation includes 3
or more operators and 4 or more operands. Here is another example of a nested
SELECT statement that uses parentheses:
SELECT
(SELECT 448.25 * 3) +
(SELECT 82.28 - 36.04);
GO
Thi
Bit Manipulations
Introduction
When you use a value in your database or application, the value must be stored
somewhere in the computer memory using a certain amount of space. A value
occupies space that resembles a group of small boxes. In our human
understanding, it is not always easy to figure out how a letter such as as B is
stored in 7 seven small boxes when we know that B is only one letter.
Bit manipulation or a bit related operation allows you to control how values are
stored in bits. This is not an operation you will need to perform very often,
especially not in the early stages of your database. Nevertheless, bit operations
(and related overloaded operators) are present in all or most programming
environments, so much that you should be aware of what they do or what they
offer.
The bitwise NOT is a unary operator that must be placed on the left side of its
operand as in
~Value
Here is an example:
PRINT ~158
To perform this operation, the Transact-SQL interpreter considers each bit that is
part of the operand and inverts the value of each bit from 1 to 0 or from 0 to 1
depending on the value the bit is holding. This operation can be resumed in the
following table:
Bit ~Bit
1 0
0 1
Consider a number with a byte value such as 248. In our study of numeric
systems, we define how to convert numbers from one system to another. Based
on this, the binary value of decimal 248 is 1111 1000 (and its hexadecimal value is
0xF8). If you apply the bitwise NOT operator on it to reverse the values of its bits,
you would get the following result:
Value 1 1 1 1 1 0 0 0
~Value 0 0 0 0 0 1 1 1
This operator considers two values and compares the bit of each with the
corresponding bit of the other value. If both corresponding bits are 1, the
comparison produces 1. Otherwise, that is, if either bit is 0, the comparison
produces 0. This comparison is resumed as follows:
Binary Decimal
N1 1 0 1 1 1 0 1 1 187
N2 1 1 1 1 0 0 1 0 242
N1 & N2 1 0 1 1 0 0 1 0 178
Most of the times, you will want the interpreter to perform this operation and use
the result in your program. This means that you can get the result of this operation
and possibly display it to the user. The above operation can be performed by the
following program:
Value1 | Value2
Once again, the interpreter compares the corresponding bits of each operand. If at
least one of the equivalent bits is 1, the comparison produces 1. The comparison
produces 0 only if both bits are 0. This operation is resumed as follows:
Binary Decimal
N1 1 0 1 1 1 0 1 1 187
N2 1 1 1 1 0 0 1 0 242
N1 | N2 1 1 1 1 1 0 1 1 251
You can also let the compiler perform the operation and produce a result. Here is
an example:
Value1 ^ Value2
The compiler compares the bit of one value to the corresponding bit of the other
value. If one of the bits is 0 and the other is 1, the comparison produces 1. In the
other two cases, that is, if both bits have the same value, the comparison produces
0. This operation is resumed as follows:
Binary Decimal
N1 1 0 1 1 1 0 1 1 187
N2 1 1 1 1 0 0 1 0 242
N1 ^ N2 0 1 0 0 1 0 0 1 73
If the interpreter performs this operation, it can produce a result as in the following
example:
Declaring Variables
DECLARE Options
Objects Names
To avoid confusion, here are the rules we will use in our lessons:
• A name will start with either an underscore or a letter. Examples are @_n,
@act, or @Second
• After the first character as an underscore or a letter, the name will have
combinations of underscores, letters, and digits. Examples are @_n24 or
@act_52_t
• A name will not include special characters such as !, @, #, $, %, ^, &, or *
• If the name is a combination of words, each word will start in uppercase.
Examples are @DateHired, @_RealSport, or @DriversLicenseNumber
DECLARE @VariableName DataType;
Initializing a Variable
SELECT @VariableName = DesiredValue
or
Data Types
Introduction
After setting the name of a variable, you must specify the amount of memory that
the variable will need to store its value. Since there are various kinds of
information a database can deal with, SQL provides a set of data types.
Boolean Variables
A Boolean value is a piece of information stated as being true or false, On or Off,
Yes or No, 1 or 0. To declare a variable that holds a Boolean value, you can use the
BIT or bit keyword. Here is an example:
Integer Variables
An integer, also called a natural number, or a whole number, is a number that can
start with a + or a - sign and is made of digits. Between the digits, no character
other than a digit is allowed. In the real world, when a number is (very) long and
becomes difficult to ready, such as 79435794, you are allowed to type a symbol
called the thousand separator in each thousand increment. An example is
79,435,794. In your SQL expressions, never include the thousand separator: you
would receive an error.
The length of an integer is the number of bytes its field can hold. For an int type,
that would be 4 bytes.
If you want to use very small numbers such as student's ages, or the number of
pages of a brochure or newspaper, apply the tinyint data type to such a field. A
variable with the tinyint data type can hold positive numbers that range from 0 to
255. Here is an example:
The smallint data type follows the same rules and principles as the int data type
except that it is used to store smaller numbers that would range between -32,768
and 32,767. Here is an example:
(1 rows affected)
The bigint data type follows the same rules and principles as the int data type
except that its field can hold numbers from -9,223,372,036,854,775,808 to
9,223,372,036,854,775,807. Here is an example:
(1 rows affected)
The binary data type is used for a variable that would hold hexadecimal numbers.
Examples of hexadecimal numbers are 0x7238, 0xFA36, or 0xAA48D. Use the
binary data type if all values of the variable would have the exact same length (or
quantity). If you anticipate that some entries would be different than others, then
use the alternative varbinary data type. The varbinary type also is used for
hexadecimal numbers but allows dissimilar entries, as long as all entries are
hexadecimals.
Decimal Variables
A decimal number is a number that can have a period (or the character used as the
decimal separator as set in the Control Panel) between the digits. An example
would be 12.625 or 44.80. Like an integer, a decimal number can start with a + or
just a digit, which would make it a positive number. A decimal number can also
start with a - symbol, which would make it a negative number. If the number
represents a fraction, a period between the digits specifies what portion of 1 was
cut. If you anticipate such a number for a field, specify its data type as numeric or
decimal (either decimal or numeric would produce the same effect in SQL
Server). Here is an example:
(1 rows affected)
Date and Time Variables
A DATETIME data type is used for a column whose data would consist of date
and/or time values. The entries must be valid date or time values but Microsoft
SQL Server allows a lot of flexibility, even to display a date in a non-traditional
format. The date value of a datetime field can be comprised between January 1st,
1753 and December 31, 9999.
(1 rows affected
By default, the char data type can be applied to a variable that would hold one
character at a time. After declaring the variable, when initializing it, include its
value in single-quotes. Here is an example:
(1 rows affected)
Practical Learning: Using Character Variables
1. Change the statement as follows:
Logical Comparisons
Equality Operator =
To compare two values for equality, use the = operator. Its formula is:
Value1 = Value2
Not Equal <>
As opposed to equality, to find out if two values are not equal, use the <>
operator. Its formula is:
Conditional Statements
BEGIN...END
To indicate that your Statement covers more than one line, start it with the BEGIN
keyword. Then you must use the END keyword to indicate where the Statement
ends. In this case, the formula of a conditional statement would appear as follows:
Keyword Expression
BEGIN
Statement Line 1
Statement Line 2
Statement Line n
END
IF a Condition is True
IF Condition
Statement
When the interpreter executes this statement, it first examines the Condition to
evaluate it to a true result. If the Condition produces true, then the interpreter
executes the Statement. Here is an example:
CASE Expression
WHEN Value1 THEN Result
WHEN Value2 THEN Result
CASE Expression
WHEN Value1 THEN Result
WHEN Value2 THEN Result
WHEN Value_n THEN Result
ELSE Alternative
END
The ELSE statement, as the last, is used when none of the values of the WHEN
statements fits. Here is an example:
WHILE Expression
Statement
Here is an example:
The comparison for a True or False value is mostly performed on Boolean fields,
such a case is the SPHome (which specifies whether a student lives in a single
parent home) field of the Students table of the HighSchool database. If a record
has a value of 1, the table considers that such a field is True. If the field has a 0
value, then it holds a FALSE value.
Here is note to be careful about: when a variable is said to hold a null value, it
doesn't mean its value is 0. It doesn't even mean that the variable's memory space
is empty. It actually means that we cannot clearly determine the current value that
the variable is holding.
To support the null value, Transact-SQL provides a constant named NULL. The
NULL constant is mostly used for comparison purposes. For example, you can use
an IF statement to check the nullity of a variable.
The IS Operator
To validate something as being possible, you can use the IS operator. For example,
to acknowledge that something is NULL, you can use the IS NULL expression.
Here is an example:
-- Square Calculation
DECLARE @Side As Decimal(10,3),
@Perimeter As Decimal(10,3),
@Area As Decimal(10,3);
Introduction to Functions
END
Optionally, you can type the AS keyword before the BEGIN keyword:
END
Here is an example
DatabaseName.dbo.FunctionName()
Because a function returns a value, you can use that value as you see fit. For
example, you can use either PRINT or SELECT to display the function's value in a
query window. Here is an example that calls the above Addition() function:
PRINT Exercise.dbo.GetFullName();
1. To execute the function we just created, execute the following statement:
PRINT RealEstate1.dbo.CalculateWeeklySalary();
GO
1. To specify a column name for the returned value of a function, change the
function as follows and execute it:
Introduction
In order to carry its assignment, a function can be provided with some values. Put
it another way, when you create a function, instead of, or in addition to, local
variables, you may want the code that will call the function to provide the values
needed to perform the assignment. For example, imagine you want to create a
function that would generate employees email addresses when a user has entered
a first and last name. At the time you are creating the function, you cannot know
or predict the names of employees, including those who have not even been hired
yet. In this case, you can write the whole function but provide one or more
placeholders for values that would be supplied when the function is called.
A Parameterized Function
We have already seen that a function's name is also followed by parentheses. If
the function doesn't use an external value, its parentheses can be left empty. If a
function will use an external value, when you create the function, you must specify
a name and the type of value of the parameters. The name of the parameter is
created with the @ sign, like a variable as we saw in the previous lesson. Here is
an example:
Once again, in the body of the function, you can use the parameters as if you
already knew their value. You can also declare local variables and involve them
with parameters as you see fit. Here is an example:
When calling a function that takes more than one parameter, in the parentheses of
the function, provide a value for each parameter, in the exact order they appear in
the parentheses of the function. Here is an example:
PRINT Variables1.dbo.Addition(1450, 228);
You can also pass the names of already declared and initialized variables. Here is
an example that calls the above function:
RETURN @Weekly
END;
GO
4. Press F5 to create the function
5. Delete the code in the window and replace it with the following:
To assist with conversion, you can use either the CAST() or the CONVERT()
function. The syntax of the CAST() function is:
CAST(Expression AS DataType)
The Expression is the value that needs to be cast. The DataType factor is the type
of value you want to convert the Expression to. The DataType can be one of those
we reviewed in Lesson 4.
In the following example, two variables are declared and initialzed as strings.
Because they must be involved in a multiplication, each is converted to a Decimal
type:
The first argument must be a known data type, such as those we reviewed in
Lesson 4. If you are converting the value into a string (varchar, nvarchar, char,
nchar) or a binary type, you should specify the number of allowed characters the
data type's own parentheses. As reviewed for the CAST() function, the Expression
is the value that needs to be converted.
Here is an example:
-- Square Calculation
DECLARE @Side As Decimal(10,3),
@Perimeter As Decimal(10,3),
@Area As Decimal(10,3);
SET @Side = 48.126;
SET @Perimeter = @Side * 4;
SET @Area = @Side * @Side;
PRINT 'Square Characteristics';
PRINT '-----------------------';
PRINT 'Side = ' + CONVERT(varchar(10), @Side, 10);
PRINT 'Perimeter = ' + CONVERT(varchar(10), @Perimeter, 10);
PRINT 'Area = ' + CONVERT(varchar(10), @Area, 10);
GO
This function takes one argument as the string to be considered. It returns the
number of characters in the string. Here is an example:
int ASCII(String)
This function takes as argument as string and returns the ASCII code of the first
(the left) character of the string. Here is an example:
varchar LOWER(String)
This function takes as argument a string. Any lowercase letter that is part of the
string would not change. Any letter that is part of the string would be converted to
lowercase. Any other character or symbol would be kept "as is". After conversion,
the LOWER() function returns a new string.
Here is an example:
A left sub-string is one or a group of characters retrieved from the left side of a
known string. To get the left sub-string of a string, you can use the LEFT()
function. Its syntax is:
This function takes two arguments. The first argument specifies the original string.
The second argument specifies the number of characters from the most-left that
will constitute the sub-string. After the operation, the LEFT() function returns a
new string made of the left character + the NumberOfCharacters on its right from
the String.
-- =============================================
-- Function: GetUsername
-- =============================================
Instead of the starting characters of a string, you may want to create a string
using the most-right characters of an existing string. To support this operation,
Transact-SQL provides the RIGHT() function. Its syntax is:
-- =============================================
-- Function: Last4DigitsOfSSN
-- =============================================
To replace one character or a sub-string from a string, you can use the REPLACE()
function. Its syntax is:
or
This function takes three arguments. The first is the string that will be used as
reference. The second argument, FindString, is a character or a sub-string to look
for in the String argument. If the FindString character or sub-string is found in the
String, then it is replaced with the value of the last argument, ReplaceWith.
Arithmetic Functions
The Sign of a Number
In arithmetic, a number is considered as being negative (less than 0), null (equal
to 0), or positive (higher than 0). When a number is negative, it must have a -
symbol to its left. If it is positive, it may display a + symbol to its left or it can omit
it. A number without the - or + symbol to its left is considered positive, also
referred to as unsigned. The symbol that determines whether a number is positive
or negative is referred to as its sign. The sign is easily verifiable if you know the
number already. In some cases, when a number is submitted to your application,
before taking any action, you may need to get this piece of information.
SIGN(Expression)
The decimal numeric system counts from minus infinity to infinity. This means that
numbers are usually negative or positive, depending on their position from 0,
which is considered as neutral. In some operations, the number considered will
need to be only positive even if it is provided in a negative format. The absolute
value of a number x is x if the number is (already) positive. If the number is
negative, its absolute value is its positive equivalent. For example, the absolute
value of 12 is 12, while the absolute value of –12 is 12.
To get the absolute value of a number, you can use the ABS() function. Its syntax
is:
ABS(Expression)
In the same way, consider a number such as –24.06. As this number is negative, it
is between –24 and –25, with –24 being greater.
In algebra, the ceiling of a number is the closest integer that is greater than or
higher than the number considered. In the first case, the ceiling of 12.155 is 13
because 13 is the closest integer greater than or equal to 12.155. The ceiling of –
24.06 is –24.
To get the ceiling of a number, Transact-SQL provides the CEILING() function. Its
syntax is:
CEILING(Expression)
FLOOR(Expression)
EXP(Expression)
ReturnValue = xy
POWER(x, y)
This function takes two required arguments. The first argument, x, is used as the
base number to be evaluated. The second argument, y, also called the exponent,
will raise x to this value. Here is an example:
LOG(Expression)
This function takes one argument as a number or an expression that can evaluate
to a number. After the calculation, it returns the natural logarithm of the argument.
Here is an example:
LOG10(Expression)
The number to be evaluated is passed as the argument X. The function returns the
logarithm on base 10 using the formula:
y = log10x
which is equivalent to
x = 10y
Here is an example:
SQRT(Expression)
This function takes one argument as a positive decimal number. If the number is
positive, after the calculation, the function returns the square root of x. Here is an
example:
IF SIGN(@Number) > 0
PRINT 'The square root of 258.4062 is ' +
CONVERT(varchar(12), SQRT(@Number));
ELSE
PRINT 'You must provide a positive number';
GO
PI()
Radians
RADIANS(Expression)
Degrees
If you know the radians but want to get the degrees of an angle, you can use the
DEGREES() function. Its syntax is:
DEGREES(Expression)
COS(Expression)
The angle to be considered is passed as the argument to this function. The function
then calculates and returns its cosine. Here is an example:
SIN(Expression)
The angle to be considered is passed as the argument. After its calculation, the
function returns the sine of the angle between –1 and 1.
Here is an example:
Here is an example:
Before using a date or a time value in a calculation, remember that you must first
get it one way or another. You can define a date or a time constant in your
application. An example would be '1992/10/28'. You can declare a DateTime or a
SmallDateTime variable and initialize it as you see fit. You may get a date or a
time from another function. As the last alternative, you may get a date or time
from another application or from a user. Once you have an appropriate date, you
can use it.
To get the current date and the current time of the computer that a user is using,
you can use the GETDATE() function of Transact-SQL. Its syntax is:
GETDATE()
This function simply returns the current date and time of the operating system.
Date/Time Addition
One of the primary operations you may want to perform on a date or a time value
would consist of adding a value to it. To support this operation, Transact-SQL
provides the DATEADD() function. Its syntax is:
The third argument to this function is the value of a date or a time on which the
operation will be performed. It can be a constant value in the form of
'year/month/day' for a date or 'hour:minutes AM/PM' for a time.
The second argument is the value that will be added. It should be a constant
integer, such as 8, or a floating point value, such as 4.06.
When calling this function, you must first specify the type of value that you want to
add. This type is passed as the first argument. It is used as follows:
Type of
Abbreviation As a result
Value
yy
Year A number of years will be added to the date value
yyyy
q
quarter A number of quarters of a year will be added to the date value
qq
m
Month A number of months will be added to the date value
mm
y
dayofyear A number of days of a year will be added to the date value
dy
d
Day A number of days will be added to the date value
dd
wk
Week A number of weeks will be added to the date value
ww
Hour hh A number of hours will be added to the time value
n
minute A number of minutes will be added to the time value
mi
s
second A number of seconds will be added to the time value
ss
millisecond ms A number of milliseconds will be added to the time value
Date/Time Subtraction
Another regular operation performed on a date or a time value consists of getting
the number of units that has elapsed in the range of two dates or two time values.
To support this operation, Transact-SQL provides the DATEDIFF() function. Its
syntax is:
This function takes three arguments. The second argument is the starting date or
the starting time of the range to be considered. The third argument is the end or
last date or time of the considered range. You use the first argument to specify the
type of value you want the function to produce. This argument uses the same
value as those of the DATEADD() function:
Type of
Abbreviation As a result
Value
yy The function will return the number of years that have elapsed
Year
yyyy between the start and the end dates
q The function will return the number of quarters of a year that
quarter
qq have elapsed between the start and the end dates
m The function will return the number of months that have
Month
mm elapsed between the start and the end dates
y The function will return the number of days of a year that have
dayofyear
dy elapsed between the start and the end dates
d The function will return the number of days that have elapsed
Day
dd between the start and the end dates
wk The function will return the number of weeks that have elapsed
Week
ww between the start and the end dates
The function will return the number of hours that have elapsed
Hour hh
between the start and the end times or dates
n The function will return the number of minutes that have
minute
mi elapsed between the start and the end times or dates
s The function will return the number of seconds that have
second
ss elapsed between the start and the end times or dates
The function will return the number of milliseconds that have
millisecond ms
elapsed between the start and the end times or dates
Here is an example that calculates the number of years that an employees has
been with the company:
• Can be made of digits only. For example you can have a table called 148
• Can start with a digit, a letter, or an underscore
• Can be made of letters, digits, and spaces
Renaming a Table
If you find out that the name of a table is not appropriate, you can change it. To
change the name of a table in the SQL Server Management Studio, in the
Object Explorer, right-click the table and click Rename. Type the desired name and
press Enter.
To change the name of a table with code, execute sp_rename, followed by the
current name of the table, a comma, and the new desired name of the table. The
formula to use is:
Deleting a Table
If you have an undesired table in a database, you can remove it. To delete a table
in the SQL Server Management Studio, in the Object Explorer, right-click the table
under its database node and click Delete. You will receive a warning giving you a
chance to confirm your intentions. If you still want to remove the table, click OK.
Example
1.
CREATE TABLE Customers (
DrvLicNbr VarChar(50),
DateIssued DateTime,
DateExpired DateTime,
FullName varchar(120),
Address VARCHAR(120),
City varchar(50),
State varchar(100),
PostalCode varchar(20),
HomePhone varchar(20),
OrganDonor bit)
GO
Modifying a Column
ALTER TABLE TableName
The ColumnName factor is required. In fact, on the right side of the ADD keyword,
define the column by its name and using all the options we reviewed for columns.
Here is an example:
Renaming a Column
If you find out that the name of a column is not appropriate, you can change it. To
rename a column in the Object Explorer, right-click the table that the column
belongs to and click Modify. In the design view, highlight the name of the desired
column to put it into edit mode and edit it.
In SQL, to change the name of a column, first open an empty query window. In a
query window, execute sp_rename using the following formula:
The sp_rename factor and the 'COLUMN' string are required. The TableName
factor is the name of the table that the column belongs to. The ColumnName is the
current name of the column. The NewColumnName is the desired name you want
to give to the column.
Here is an example:
Deleting a Column
ALTER TABLE TableName
DROP COLUMN ColumnName
Data Entry
INSERT TableName VALUES(Column1, Column2, Column_n);
Alternatively, or to be more precise, you can use the INTO keyword between the
INSERT keyword and the TableName factor to specify that you are entering data
in the table. This is done with the following syntax:
Identity Columns
Introduction
One of the goals of a good table is to be able to uniquely identity each record. In
most cases, the database engine should not confuse two records. Consider the
following table:
Imagine that you want to change the value of an item named Long-sleeve jersey
dress. Because you must find the item programmatically, you can start looking for
an item with that name. This table happens to have two items with that name. You
may then decide to look for an item using its category. In the Category column,
there are too many items named Women. In the same way, there are too many
records that have a Large value in the Size column, same thing problem in the Unit
Price column. This means that you don't have a good criterion you can use to
isolate the record whose Item Name is Long-sleeve shirt.
To solve the problem of uniquely identifying a record, you can create a particular
column whose main purpose is to distinguish one record from another. To assist
you with this, the SQL allows you to create a column whose data type is an integer
type but the user doesn't have to enter data for that column. A value would
automatically be entered into the field when a new record is created. This type of
column is called an identity column.
You cannot create an identity column one an existing table, only on a new table.
When performing data entry for this table, you can let the user enter the customer
name and phone number. On the other hand, you can assist the user by
programmatically entering the current date. To do this, you would call the
GETDATE() function. Here are examples:
Updating a Record
UPDATE TableName
SET ColumnName = Expression
Editing a Record
UPDATE TableName
SET ColumnName = Expression
WHERE Condition(s)
UPDATE Videos
SET YearReleased = 1996
WHERE Director = 'Rob Reiner';
Removing all Records
If you think all records of a particular table are, or have become, useless, you can
clear the whole table, which would still keep its structure. To delete all records
from a table, first select all of them, and press Delete. You would receive a
warning:
Using SQL, to clear a table of all records, use the DELETE operator with the
following formula:
DELETE TableName;
Removing a Record
DELETE FROM TableName
WHERE Condition(s)
Field Selection
SELECT What FROM WhatObject
You can also qualify the * selector by preceding it with the name of the table
followed by the period operator. The above statement is equivalent to:
In Lesson 8, we saw that you could create an alias for a table by preceding a
column with a letter or a word and a period operator, and then entering the name
of the table followed by that letter or word. Using this feature, the above
statement can be written as:
SELECT std.* FROM Students std;
To specify a column header other than the name of the column, if you are using
the Table window, type the desired string in the Alias column corresponding to the
column. Here is an example:
If you are using a query window or if you are writing your SELECT statement, on
the right side of the column name, type AS followed by the desired name of the
column header. If the desired column header is in one word, you can simply type
it. Here is an example:
SELECT FirstName,
LastName,
HomePhone AS PhoneNumber,
ParentsNames AS NamesOfParents
FROM Students;
GO
If you want the column header to appear with more than one word, you can
provide the words as a string in single-quotes or between the square brackets:
[ and ] . Here is an example:
By qualifying each column, the above statement can also be written as follows:
Using the SELECT keyword, we have learned to create a list of isolated columns.
These columns were rendered separate of each other. Instead of having separate
columns, you can combine them to create a string or a value that is in fact an
expression. For example, you can combine a first name and a last name to produce
a full name as an expression. Another expression can use a date on the table, add
a number to it to get a date on another day. An expression can also be used to
perform a calculation on two or more columns such as employees weekly hours
multiplied by their hourly salary to get their weekly salary.
The most common operator used is the addition. It can be used to combine two or
more strings to get a new one. Here is an example:
You can also create an alias for an expression to give it the desired name. To do
this, on the right side of the expression, type AS followed by the name. AS we
learned earlier, if the alias is in more than one word, include it in either single
quotes or square brackets. Here is an example:
To change the name of a column during data analysis, on the right side of SELECT,
type the desired name, followed by the assignment operator, followed by the actual
name of the column. Here is an example:
SELECT LastName,
EmergencyName = EmrgName,
EmergencyPhone = EmrgPhone
FROM Students;
GO
You can also include the name between single-quotes or the square brackets. Here
are examples:
The column used as the basis must be recognized as part of the selected columns.
For example, to get a list of students in alphabetical order based on the LastName
column, you can use the following statement:
SELECT FirstName,
LastName,
Gender,
ParentsNames,
SPHome
FROM Students
ORDER BY LastName;
GO
SELECT What FROM WhatObject ORDER BY WhatField;
The column used as the basis must be recognized as part of the selected columns.
For example, to get a list of students in alphabetical order based on the LastName
column, you can use the following statement:
SELECT FirstName,
LastName,
Gender,
ParentsNames,
SPHome
FROM Students
ORDER BY LastName;
GO
SELECT *
FROM Students
ORDER BY LastName ASC
On the other hand, if you want to sort records in reverse order, you can use the
DESC keywords instead. It produces the opposite result to the ASC effect. Here is
an example:
SELECT FirstName,
LastName,
Gender,
ParentsNames,
SPHome
FROM Students
ORDER BY LastName DESC;
GO
Logical Conjunctions
SELECT WhatColumn(s)
FROM WhatObject
WHERE Condition1 AND Condition2
SELECT FirstName, LastName, Gender, City, State
FROM Students
WHERE Gender = 'female' AND State = 'md';
IN a Selected Series
If you have a series of records and you want to find a record or a group of records
among them, you can use the IN operator by adding it to a WHERE statement.
The IN operator is a type of various OR operators. It follows this formula:
Each Expression factor can be one of the values of a column. This is equivalent to
Expression1 OR Expression2 OR Expression_n, etc.
From our list of students, imagine that you want to get a list of students who live
either in Silver Spring, in Rockville, or in Chevy Chase. You can write an IN
expression as follows:
The pattern factor can be a value to be found in Expression. For example, it can be
the same type of value used in a WHERE statement. In this case, the equality
operator would be the same as LIKE. For example
is equivalent to
The idea of using a LIKE operator is to give an approximation of the type of result
you want. There are wildcards to use with the LIKE operator.
You can negate this condition by preceding it with NOT. Here is an example:
This time, the result is the list of students whose last names don't start with S.
When you precede the % character with a letter, only that letter would be
considered. Alternatively, you can specify a group of characters that would precede
the % symbol. For example, if you have some first names that start with Ch in a
list but you don't remember the end of the name you are looking for, to create the
list, you can specify that the first name would start with Ch and end with whatever.
In this case, you would use Ch% as follows:
Instead of ending a letter or a group of letters with %, you can begin the LIKE
statement with %. An example would be LIKE "%son". In this case, all strings
that end with son, such as Johnson or Colson, would be considered.
If you remember neither the beginning nor the end of a string you want to search
for, but you know a sub-string that is probably included in the type of string you
are looking for, you can precede it with % and end it with %. An example would
be LIKE "%an%". In this case, all strings that include "an" anywhere inside
would be considered. Here is an example:
Once again, remember that you can negate this expression by preceding it with
NOT. Note that if you negate an expression that include ^, you would get the
same result as not using ^.
/* =============================================
Author: FunctionX
Create date: Friday 6 April, 2007
Description: This function is used
to get the full name of a student
=============================================*/
CREATE FUNCTION GetFullName
(
@FName varchar(20),
@LName varchar(20)
)
RETURNS varchar(41)
AS
BEGIN
RETURN @LName + ', ' + @FName;
END;
GO
/* =============================================
Author: FunctionX
Create date: Saturday 7 April, 2007
Description: This function is used
to display Yes or No
============================================= */
CREATE FUNCTION ShowYesOrNo
(
@SPHomeStatus bit
)
RETURNS varchar(3)
AS
BEGIN
DECLARE @Result varchar(3);
IF @SPHomeStatus = 0
SET @Result = 'No';
ELSE
SET @Result = 'Yes';
RETURN @Result;
END;
GO
Once a function is ready, in the placeholder of your SQL statement, type dbo.,
followed by the name of the function, its parentheses, and its paremeter(s), if any,
inside of the parentheses. Here is an example:
SELECT StudentID,
dbo.GetFullName(FirstName, LastName) AS [Student's Name],
Gender,
dbo.ShowYesOrNo(SPHome) AS [Live's in a Single Parent Home?],
ParentsNames AS [Parents' Names]
FROM Students;
GO
In the SQL, you can give a specific name to a primary. To do this, you can first
create the column. Then, somewhere before the closing parenthesis of the table,
specify the primary key column using the following formula:
In this formula, the CONSTRAINT keyword and the PRIMARY KEY (case-insensitive)
expression are required. In the PrimaryKeyName placeholder, enter the name you
want to give to the primary key. In the parentheses of the PRIMARY KEY
expression, enter the name of the column that will be used as the primary key.
Here is an example:
By convention or tradition, the name of the primary starts with PK_ followed by
the name of the table. Here is an example:
USE Exercise2;
GO
The FOREIGN KEY expression and the REFERENCES keyword are required. In
the ParentTableName placeholder, enter the name of the primary table that holds
the information that will be accessed in the current table. In the parentheses of
ParentTableName, enter the name of the primary column of the parent table. Here
is an example:
Notice that the foreign key doesn't have an object name as we saw for the primary
key. If you don't specify a name for the foreign key, the SQL interpreter would
automatically create a default name for you. Otherwise, to create a name, after
creating the column, enter the CONSTRAINT keyword followed by the desired
name and continue the rest as we saw above. Her is an example:
Data Joins
Introduction
When studying relationships, we reviewed techniques of making data from one table
available to the records of another table. This demonstrated to reduce data duplication
and mistakes. Another issue that involves the combination of tables consists of creating
records from more than one table and making the result into a single list. This is the
basis of data joins.
A data join is a technique of creating a list of records from more that one table, using all
columns from all tables involved, or selecting only the desired columns from one or all of
the tables involved. This means that a data join is essentially created in three steps:
The ChildTable factor specifies the table that holds the records that will be
retrieved. It can be represented as follows:
SELECT WhatColumn(s)
FROM Persons
TypeOfJoin ParentTable
ON Condition
The ParentTable factor specifies the table that holds the column with the primary
key that will control what records, related to the child table, that will display. This
factor would be represented as follows:
SELECT WhatColumn(s)
FROM Persons
TypeOfJoin Genders
ON Persons.GenderID = Genders.GenderID
The Condition factor is a logical expression used to validate the records that will be
isolated. To create the condition, you should assign the primary key column of the
parent table to the foreign key column of the child table. Because both columns
likely have the same name, to distinguish them, their names should be qualified.
This would be done as follows:
SELECT WhatColumn(s)
FROM Persons
TypeOfJoin Genders
ON Persons.GenderID = Genders.GenderID
The WhatColumn(s) factor of our formula allows you to make a list of the columns
you want to include in your statement. As you should be aware, you can include all
columns by using the * operator. Here is an example:
SELECT *
FROM Persons
TypeOfJoin Genders
ON Persons.GenderID = Genders.GenderID
In this case, all columns from all tables would be included in the result. Instead of
all columns, you may want a restricted list. In this case, create the list after the
SELECT keyword separating them with commas. You can use the name of a
column normally if that name is not duplicated in more than one column. Here is
an example:
If the same name of a column is found in more than one table, as is the case for a
primary-foreign key combination, you should qualify the name. Here is an
example:
In fact, to make your code easier to read, you should qualify the name of each
column of your SELECT statement. Here is an example:
Cross Joins
A cross join creates a list of all records from both tables as follows: the first record
from the parent table is associated to each record from the child table, then the
second record from the parent table is associated to each record from the child
table, and so on. In this case also, there is no need of a common column between
both tables. In other words, you will not use the ON clause.
To create a cross join, you can replace the TypeOfJoin factor of our formula with
CROSS JOIN or CROSS OUTER JOIN. Here is an example:
By default, from the SQL Server Management Studio, after you have just added a
table to another one (if no relationship was already established between both
tables), the query would be automatically made a cross join. All you have to do is
to select the needed columns. After selecting the columns, you can execute the
query to see the result:
Inner Joins
Imagine you have two tables that can be linked through one's primary key and
another's foreign key.
Notice that some records in the Persons table don't have an entry for the GenderID
column and were marked with NULL by the database engine. When creating a
query of records of the Persons table, if you want your list to include only records
that have an entry, you can create it as inner join.
By default, from the SQL Server Management Studio, when creating a new query,
if a relationship was already established between both tables, the query is made an
inner join. If there was no relationship explicitly established between both tables,
you would have to create it edit the SQL statement. Consider the following:
After creating the join, in the Diagram section, a line would be created to join the
tables. You can then execute the query to see the result. This would produce:
An alternative to the INNER JOIN expression is to simply type JOIN. Here is an
example:
Outer Joins
Introduction
Instead of showing only records that have entries in the child table, you may want
your query to include all records, including those that are null. To get this result,
you would create an outer join. You have three options.
To create a left outer join, if you are working in the Table window, in the Diagram
section, right-click the line that joins the tables and click the option that would
select all records from the child table (in this case, that would be Select All Rows
From Persons):
Alternatively, you can replace the TypeOfJoin factor of our formula with either
LEFT JOIN or LEFT OUTER JOIN. Here is an example:
In both cases, the button in the middle of the line would be added an arrow that
points to the parent table. You can then execute the query to see the result. Here
is an example:
Notice that the result includes all records of the Persons (also called the right) table
and the records that don't have an entry in the GenderID column of the Persons
(the right) table are marked with NULL.
To visually create a right outer join in the Table window, after establishing a join
between both tables, if you had previously created a left outer join, you should
remove it by right-clicking the line between the tables and selecting the second
option under Remove. Then, you can right-click the line that joins them and click
the option that would select all records from the parent table. In our example, you
would click Select All Rows From Genders.
To create a right outer join in SQL, you can replace the TypeOfJoin factor of our
formula with RIGHT JOIN or RIGHT OUTER JOIN. Here is an example:
In both cases, the button on the joining line between the tables would have an
arrow that points to the child table. You can then run the query. Here is an
example:
Notice that the query result starts with the first record of the parent table, also
called the left table (in this case the Genders table), and lists the records of the
child table, also called the right table (in this case the Persons table), that have the
entry corresponding to that first record. Then it moves to the next GenderID value.
Also, notice that there are no NULL records in the Gender.
3. Notice that the result is the list of tables in order by types (condos, single
families, and town homes)
Full Outer Joins
A full outer join produces all records from both the parent and the child tables. If a
record from one table doesn't have a value in the other value, the value of that
record is marked as NULL.
To visually create a full outer join, in the Table window, right-click the line between
the tables and select each option under Remove so that both would be checked. To
create a full outer join in SQL, replace the TypeOfJoin factor of our formula with
FULL JOIN or FULL OUTER JOIN. Here is an example:
The button on the line between the tables would now appear as a square. You can
then execute the query. Here is an example:
Just as we have involved only two tables in our joins so far, you can create a join
that includes many tables.
Introduction
As demonstrated so far and in previous lessons, the main reason for creating
queries is to isolate records. This is done using conditions and criteria. Joins
enhance this capability because they allow you to consider records from different
tables and include them in a common SQL statement.
In the joins we have created so far, we considered all records and let the database
engine list them using only the rules of joins built-in the SQL. To make such a list
more useful or restrictive, you can pose your own conditions that should be
respected to isolate records like a funnel. As done in previous lessons, to include a
criterion in a SELECT statement, you can create a WHERE clause.
Using Criteria
To create a criterion in a query you create from the SQL Server Management
Studio, first select a column to display it in the Grid section. Just as reviewed in the
previous lessons when creating a query, to specify a criterion, in the Criteria box
corresponding to the column, type the condition using any of the operators we
reviewed in previous lessons. Here is an example:
SELECT PropertyTypes.PropertyType,
Properties.City, Properties.State, Properties.ZIPCode,
Properties.Bedrooms, Properties.Bathrooms, Properties.Stories,
Properties.YearBuilt, Properties.MarketValue
FROM Properties RIGHT OUTER JOIN PropertyTypes
ON Properties.PropertyTypeID = PropertyTypes.PropertyTypeID
WHERE (PropertyTypes.PropertyTypeID = 2)
ORDER BY Properties.YearBuilt DESC
6. Right-click the table and click Execute SQL
7. To get a list of properties that cost between $350,000 and $425000, change
the SQL statement as follows:
SELECT Properties.PropertyNumber,
PropertyTypes.PropertyType, Properties.MarketValue,
Properties.City,
Properties.State, Properties.Bedrooms,
Properties.FinishedBasement, Properties.YearBuilt
FROM Properties RIGHT OUTER JOIN PropertyTypes
ON Properties.PropertyTypeID = PropertyTypes.PropertyTypeID
WHERE (PropertyTypes.PropertyTypeID = 2) AND
(Properties.PropertyNumber IS NOT NULL) AND
(Properties.State = 'VA')
ORDER BY Properties.YearBuilt DESC
10. On the Query Designer toolbar, click the Execute SQL button
11. To get a list of properties in southern Maryland but that cost less than
$400,000, change the SQL statement as follows:
12. On the Query Designer toolbar, click the Execute SQL button
Views
Overview of Views
Introduction
When studying data analysis, a query is a technique of isolating a series of columns
and/or records of a table. This is usually done for the purpose of data analysis. This can
also be done to create a new list of items for any particular reason. Most of the time, a
query is created temporarily, such as during data analysis while using a table, a form, or
a web page. After using such a temporary list, it is then dismissed. Many database
applications, including Microsoft SQL Server, allow you to create a query and be able
to save it for later use, or even to use it as if it were its own table. This is the idea
behind a view.
Definition
A view is a list of columns or a series of records retrieved from one or more
existing tables, or as a combination of one or more views and one or more tables.
Based on this, before creating a view, you must first decide where its columns and
records would come from. Obviously the easiest view is one whose columns and
records come from one table
With Transact-SQL
To programmatically create a view, you use the following SQL syntax:
The creation of a view starts with the CREATE VIEW expression followed by a
name. The name of a view follows the rules and suggestions we reviewed
above. After the name of the view, use the AS keyword to indicate that you are
ready to define the view.
After creating the SQL statement that defines the view, you must execute the
statement. If using a query window, you can do this by pressing F5. Once the
statement is executed, its name is automatically added to the Views node of its
database even if you don't save its code
Modifying a View
ALTER VIEW ViewName
AS
SELECT Statement
ALTER VIEW dbo.ListOfMen
AS
SELECT dbo.Persons.FirstName, dbo.Persons.LastName
FROM dbo.Genders INNER JOIN dbo.Persons
ON dbo.Genders.GenderID = dbo.Persons.GenderID
WHERE (dbo.Genders.Gender = 'Male');
Deleting a View
DROP VIEW ViewName
Using a View
Data Entry With a View
As seen so far, a view is a selected list of records from a table. As you may
suspect, the easiest view is probably one created from one table. Imagine you
have a table of employees and you want to create a view that lists only their
names. You may create a view as follows:
On such a view that is based on one table, you can perform data entry, using the
view, rather than the table. To do this, you follow the same rules we reviewed in
Lesson 9. Here is an example:
If you perform data entry using a view, the data you provide would be entered on
the base table; this means that the table would be updated automatically. Based
on this feature, you can create a view purposely intended to update a table so
that, in the view, you would include only the columns that need to be updated.
When structuring a view, you can create placeholders for columns and pass them
in the parentheses of the view. This would be done as follows:
If you use this technique, the names passed in the parentheses of the view are the
captions that would be displayed in place of the columns of the view. This
technique allows you to specify the strings of your choice for the columns. If you
want a column header to display the actual name of the column, write it the same.
Otherwise, you can use any string you want for the column. If the name is in one
word, you can just type it. If the name includes various words, include them
between an opening square bracket "[" and a closing square bracket "]".
After listing the necessary strings as the captions of columns, in your SELECT
statement of the view, you must use the exact same number of columns as the
number of arguments of the view. In fact, each column of your SELECT statement
should correspond to an argument of the same order.
Here is an example:
Stored Procedures
Introduction
In Lesson 6, we had an introduction to some types of actions that could be
performed on a database. These actions were called functions. The SQL provides
another type of action called a stored procedure. If you have developed
applications in some other languages such as Pascal or Visual Basic, you are
probably familiar with the idea of a procedure. Like a function, a stored procedure
is used to perform an action on a a database
Modifying a Procedure
ALTER PROCEDURE ProcedureName
AS
Body of Procedure
Deleting a Procedure
DROP PROCEDURE ProcedureName
Exploring Procedures
Introduction
Probably the simplest procedure you can write would consist of selecting columns
from a table. This is done with the SELECT keyword and applying the techniques
we reviewed for data analysis. For example, to create a stored procedure that
would hold a list of students from a table named Students, you would create the
procedure as follows:
Executing a Procedure
To get the results of a creating a procedure, you must execute it (in other words,
to use a stored procedure, you must call it). To execute a procedure, you use
the EXECUTE keyword followed by the name of the procedure. Although there are
some other issues related to executing a procedure, for now, we will consider that
the simplest syntax to call a procedure is:
EXECUTE ProcedureName
EXEC ProcedureName
EXECUTE GetStudentIdentification
EXECUTE dbo.GetStudentIdentification;
You can also precede the name of the schema with the name of the database. Here
is an example:
EXECUTE ROSH.dbo.GetStudentIdentification;
A stored procedure can also call a function in its body. To do this, follow the same
rules we reviewed for calling functions during data analysis. Here is an
example of a procedure that calls a function:
USE ROSH;
GO
CREATE PROCEDURE GetStudentsAges
AS
BEGIN
SELECT FullName = FirstName + ' ' + LastName,
DATEDIFF(year, DateOfBirth, GETDATE()) AS Age,
Gender
FROM Students
END
GO
All of the procedures we have created and used so far assumed that the values
they needed were already in a table of the database. In some cases, you may need
to create a procedure that involves values that are not part of the database. On
such a scenario, for the procedure to carry its assignment, you would supply it with
one or more values.
When you execute a procedure that takes one or more arguments, you must
provide a value for each argument. In this case, you are said to pass a value for
the argument. There are cases when you don't have to provide an argument.
Passing Arguments
To create a procedure that takes an argument, type the formula CREATE
PROCEDURE or CREATE PROC followed by the name of the procedure, then type
the name of the argument that starts with @. The parameter is created like a
column of a table. That is, a parameter must have a name, a data type and an
optional length. Here is the syntax you would use:
When implementing the procedure, you can define what you want to do with the
parameter(s), in the body of the procedure. One way you can use a parameter is
to run a query whose factor the user would provide. For example, imagine you
want to create a procedure that, whenever executed, would be supplied with a
gender, then it would display the list of students of that gender. Since you want the
user to specify the gender of students to display, you can create a procedure that
receives the gender. Here is an example:
USE WattsALoan;
GO
Another type of procedure can be made to take more than one parameter. In this
case, create the parameters in the section before the AS keyword, separated by a
comma. The syntax you would use is:
USE ROSH;
GO
CREATE PROCEDURE IdentifyStudentsByState
@Gdr varchar(20),
@StateOrProvince char(2)
AS
BEGIN
SELECT FullName = LastName + ', ' + FirstName,
DATEDIFF(year, DateOfBirth, GETDATE()) AS Age,
Gender
FROM Students
WHERE (Gender = @Gdr) AND (State = @StateOrProvince)
END
GO
When calling a procedure that takes more than one parameter, you must still
provide a value for each parameter but you have two alternatives. The simplest
technique consists of providing a value for each parameter in the exact order they
appear in the procedure. Here is an example:
USE ROSH;
GO
EXEC ROSH.dbo.IdentifyStudentsByState 'Female', 'MD';
GO
USE ROSH;
GO
CREATE PROCEDURE IdentifySomeStudents
@Gdr varchar(20),
@StateOrProvince char(2),
@HomeStatus bit
AS
BEGIN
SELECT FullName = LastName + ', ' + FirstName,
DATEDIFF(year, DateOfBirth, GETDATE()) AS Age,
Gender
FROM Students
WHERE (Gender = @Gdr) AND
(State = @StateOrProvince) AND
(SPHome = @HomeStatus)
END
GO
When calling this type of procedure, you can type the name of each parameter and
assign it the corresponding value. Here is an example:
USE WattsALoan;
GO
EXECUTE SpecifyCurrentBalance '03/25/2004', 2, 1, 249.08;
GO
EXECUTE SpecifyCurrentBalance '01/30/2006', 2, 5, 611.93;
GO
EXECUTE SpecifyCurrentBalance '04/20/2004', 1, 1, 249.08;
GO
EXECUTE SpecifyCurrentBalance '10/28/2006', 2, 4, 134.38;
GO
2. To execute, press F5
Default Arguments
Imagine you create a database for a department store and a table that holds the
list of items sold in the store:
Supposed you have filled the table with a few items as follows:
Imagine you want to create a mechanism of calculating the price of an item after a
discount has been applied to it. Such a procedure can be created as follows:
To create a procedure that takes an argument that carries a default value, after
declaring the value, on its right side, type = followed by the desired value. Here is
an example applied to the above database:
When executing a procedure that takes a default argument, you don't have to
provide a value for the argument if the default value suits you. Based on this, the
above procedure can be called as follows:
If the default value doesn't apply to your current calculation, you can provide a
value for the argument. Here is an example:
Using this same approach, you can create a procedure that takes more than one
argument with default values. To provide a default value for each argument, after
declaring it, type the desired value to its right side. Here is an example of a
procedure that takes two arguments, each with a default value:
In this case, the other argument(s) would use their default value.
We saw that, when calling a procedure that takes more than one argument, you
didn't have to provide the values of the argument in the exact order they appeared
in the procedure, you just had to type the name of each argument and assign it
the desired value. In the same way, if a procedure takes more than one argument
and some of the arguments have default values, when calling it, you can provide
the values in the order of your choice, by typing the name of each argument and
assigning it the desired value. Based on this, the above procedure can be called
with only the value of the second argument as follows:
In this case, the first argument would use its default value.
USE WattsALoan;
GO
DROP PROCEDURE SpecifyCurrentBalance;
GO
CREATE PROCEDURE SpecifyCurrentBalance
@PmtDate datetime,
@EmplID int,
@LaID int,
@PmtAmt money,
@Comments Text = ''
AS
BEGIN
-- Get the amount that was lent to the customer
DECLARE @AmountOfLoan money;
SET @AmountOfLoan = (SELECT las.FutureValue
FROM LoanAllocations las
WHERE (las.LoanAllocationID =
@LaID));
USE WattsALoan;
GO
Output Parameters
Many languages use the notion of passing an argument by reference. This type of
argument is passed to a procedure but it is meant to return a value. Transact-SQL
uses the same technique. In other words, you can create a procedure that takes a
parameter but the purpose of the parameter is to carry a new value when the
procedure ends so you can use that value as you see fit.
To create a parameter that will return a value from the procedure, after the name
of the procedure, if you want the procedure to take arguments, type them.
Otherwise, omit them. On the other hand, you must pass at least one argument,
name it starting with the @ symbol, specify its data type, and enter the OUTPUT
keyword on its right. Based on this, the basic syntax you can use is:
In the body of the procedure, you can perform the assignment as you see fit. The
primary rule you must follow is that, before the end of the procedure, you must
have specified a value for the OUTPUT argument. That's the value that the
procedure will return. Here is an example:
When calling the procedure, you must pass an argument for the OUTPUT
parameter and, once again, you must type OUTPUT to the right side of the
argument. Remember that the procedure would return the argument. This means
that, after calling the procedure, you can get back the OUTPUT argument and use
it as you see fit. Here is an example:
SELECT @Full;
GO
USE ROSH;
GO
When you execute this procedure, it would work on the records of the table. One of
the particularities of a procedure that takes an OUTPUT argument is that it can
return only one value. Consider the following example of executing the above
procedure:
When calling such a procedure, if you don't specify a condition to produce one
particular result, the SQL interpreter in this case would select the last record. This
means that you should always make sure that your procedure that takes an
OUTPUT parameter would have a way to isolate a result. If the procedure
processes a SELECT statement, you can use a WHERE condition. Here is an
example of such a procedure:
USE ROSH;
GO
When this procedure is executed, it would produce only the record stored in the
8th position of the table.
Lesson Summary
Exercises
1. Create a stored procedure named ProcessPayroll that takes 11 arguments:
a.The number of hours worked for the first week (passed by value)
b.The number of hours worked for the second week (passed by value)
c.A number that represents the number of regular hours worked for the
two weeks (passed by reference)
d.A number for the salary paid for the regular hours of the two weeks
(passed by reference)