You are on page 1of 91

PHP Tutorial

PHP tutorial for beginners and professionals provides in-depth knowledge of PHP scripting
language. Our PHP tutorial will help you to learn PHP scripting language easily. This PHP
tutorial covers all the topics of PHP such as introduction, control statements, functions, array,
string, file handling, form handling, regular expression, date and time, object-oriented
programming in PHP, math, PHP MySQL, PHP with Ajax, PHP with jQuery and PHP with
XML. PHP is a open source, interpreted and object-oriented scripting language i.e. executed at
server side. It is used to develop web applications (an application i.e. executed at server side
and generates dynamic page).

What is PHP
o PHP stands for Hypertext Preprocessor.
o PHP is an interpreted language, i.e., there is no need for compilation.
o PHP is a server-side scripting language.
o PHP is faster than other scripting languages, for example, ASP and JSP.
o PHP is an interpreted language, i.e. there is no need for compilation.
o PHP is an object-oriented language.
o PHP is an open-source scripting language.
o PHP is simple and easy to learn language.

PHP Features.
o Performance: Script written in PHP executes much faster then those scripts written in
other languages such as JSP & ASP.
o Open Source Software: PHP source code is free available on the web, you can
developed all the version of PHP according to your requirement without paying any
cost.
o Platform Independent: PHP are available for WINDOWS, MAC, LINUX & UNIX
operating system. A PHP application developed in one OS can be easily executed in
other OS also.
o Compatibility: PHP is compatible with almost all local servers used today like Apache,
IIS etc.
o Embedded: PHP code can be easily embedded within HTML tags and script.

Install PHP
To install PHP, we will suggest you to install AMP (Apache, MySQL, PHP) software stack. It
is available for all operating systems. There are many AMP options available in the market that
are given below:
o WAMP for Windows
o LAMP for Linux
o MAMP for Mac
o SAMP for Solaris
o FAMP for FreeBSD
o XAMPP (Cross, Apache, MySQL, PHP, Perl) for Cross Platform: It includes some
other components too such as FileZilla, OpenSSL, Webalizer, Mercury Mail etc.
If you are on Windows and don't want Perl and other features of XAMPP, you should go for
WAMP. In a similar way, you may use LAMP for Linux and MAMP for Macintosh.

PHP Example
It is very easy to create a simple PHP example. To do so, create a file and write HTML tags +
PHP code and save this file with .php extension. All PHP code goes between php tag. A syntax
of PHP tag is given below:

<?php
//your code here
?>

Let's see a simple PHP example where we are writing some text using PHP echo command.
File: first.php

<!DOCTYPE>
<html>
<body>
<?php
echo "<h2>Hello First PHP</h2>";
?>
</body>
</html>
Output:
Hello First PHP

PHP Echo
PHP echo is a language construct not a function, so you don't need to use parenthesis with it.
But if you want to use more than one parameters, it is required to use parenthesis. The syntax
of PHP echo is given below:
void echo ( string $arg1 [, string $... ] )
PHP echo statement can be used to print string, multi line strings, escaping characters, variable,
array etc.
PHP echo: printing string

File: echo1.php
<?php
echo "Hello by PHP echo";
?>
Output:
Hello by PHP echo
PHP echo: printing multi line string

File: echo2.php
<?php
echo "Hello by PHP echo
this is multi line
text printed by
PHP echo statement
";
?>
Output:
Hello by PHP echo this is multi line text printed by PHP echo statement

PHP echo: printing escaping characters

File: echo3.php
<?php
echo "Hello escape \"sequence\" characters";
?>
Output:
Hello escape "sequence" characters
PHP echo: printing variable value

File: echo4.php
<?php
$msg="Hello JavaTpoint PHP";
echo "Message is: $msg";
?>
Output:
Message is: Hello JavaTpoint PHP

PHP Print
Like PHP echo, PHP print is a language construct, so you don't need to use parenthesis with
the argument list. Unlike echo, it always returns 1. The syntax of PHP print is given below:
int print(string $arg)
PHP print statement can be used to print string, multi line strings, escaping characters, variable,
array etc.
PHP print: printing string

File: print1.php
<?php
print "Hello by PHP print ";
print ("Hello by PHP print()");
?>
Output:
Hello by PHP print Hello by PHP print()
PHP print: printing multi line string

File: print2.php
<?php
print "Hello by PHP print
this is multi line
text printed by
PHP print statement
";
?>
Output:
Hello by PHP print this is multi line text printed by PHP print statement
PHP print: printing escaping characters

File: print3.php
<?php
print "Hello escape \"sequence\" characters by PHP print";
?>
Output:
Hello escape "sequence" characters by PHP print
PHP print: printing variable value

File: print4.php
<?php
$msg="Hello print() in PHP";
print "Message is: $msg";
?>
Output:
Message is: Hello print() in PHP

PHP Variables
A variable in PHP is a name of memory location that holds data. A variable is a temporary
storage that is used to store data temporarily.
In PHP, a variable is declared using $ sign followed by variable name.
Syntax of declaring a variable in PHP is given below:
$variablename=value;
PHP Variable: Declaring string, integer and float
Let's see the example to store string, integer and float values in PHP variables.

File: variable1.php
<?php
$str="hello string";
$x=200;
$y=44.6;
echo "string is: $str <br/>";
echo "integer is: $x <br/>";
echo "float is: $y <br/>";
?>
Output:
string is: hello string
integer is: 200
float is: 44.6
PHP Variable: Sum of two variables

File: variable2.php
<?php
$x=5;
$y=6;
$z=$x+$y;
echo $z;
?>
Output:
11
PHP Variable: case sensitive
In PHP, variable names are case sensitive. So variable name "color" is different from Color,
COLOR, COLor etc.

File: variable3.php
<?php
$color="red";
echo "My car is " . $color . "<br>";
echo "My house is " . $COLOR . "<br>";
echo "My boat is " . $coLOR . "<br>";
?>
Output:
My car is red
Notice: Undefined variable: COLOR in C:\wamp\www\variable.php on line 4
My house is
Notice: Undefined variable: coLOR in C:\wamp\www\variable.php on line 5
My boat is
PHP Variable: Rules
PHP variables must start with letter or underscore only.
PHP variable can't be start with numbers and special symbols.

File: variablevalid.php
<?php
$a="hello";//letter (valid)
$_b="hello";//underscore (valid)
echo "$a <br/> $_b";
?>
Output:
hello
hello

File: variableinvalid.php
<?php
$4c="hello";//number (invalid)
$*d="hello";//special symbol (invalid)
echo "$4c <br/> $*d";
?>
Output:
Parse error: syntax error, unexpected '4' (T_LNUMBER), expecting variable (T_VARIABLE)
or '$' in C:\wamp\www\variableinvalid.php on line 2

PHP $ and $$ Variables


The $var (single dollar) is a normal variable with the name var that stores any value like string,
integer, float, etc.
The $$var (double dollar) is a reference variable that stores the value of the $variable inside it.
To understand the difference better, let's see some examples.

Example 1
<?php
$x = "abc";
$$x = 200;
echo $x."<br/>";
echo $$x."<br/>";
echo $abc;
?>
Output:

In the above example, we have assigned a value to the variable x as abc. Value of reference
variable $$x is assigned as 200.
Now we have printed the values $x, $$x and $abc.

Example2
<?php
$x="U.P";
$$x="Lucknow";
echo $x. "<br>";
echo $$x. "<br>";
echo "Capital of $x is " . $$x;
?>
Output:

In the above example, we have assigned a value to the variable x as U.P. Value of reference
variable $$x is assigned as Lucknow.
Now we have printed the values $x, $$x and a string.

Example3
<?php
$name="Cat";
${$name}="Dog";
${${$name}}="Monkey";
echo $name. "<br>";
echo ${$name}. "<br>";
echo $Cat. "<br>";
echo ${${$name}}. "<br>";
echo $Dog. "<br>";
?>
Output:

In the above example, we have assigned a value to the variable name Cat. Value of reference
variable ${$name} is assigned as Dog and ${${$name}} as Monkey.
Now we have printed the values as $name, ${$name}, $Cat, ${${$name}} and $Dog.

PHP Constants
PHP constants are name or identifier that can't be changed during the execution of the script.
PHP constants can be defined by 2 ways:
1. Using define() function
2. Using const keyword
PHP constants follow the same PHP variable rules. For example, it can be started with letter or
underscore only.
Conventionally, PHP constants should be defined in uppercase letters.
PHP constant: define()
Let's see the syntax of define() function in PHP.
define(name, value, case-insensitive)
1. name: specifies the constant name
2. value: specifies the constant value
3. case-insensitive: Default value is false. It means it is case sensitive by default.
Let's see the example to define PHP constant using define().

File: constant1.php
<?php
define("MESSAGE","Hello JavaTpoint PHP");
echo MESSAGE;
?>
Output:
Hello JavaTpoint PHP

File: constant2.php
<?php
define("MESSAGE","Hello JavaTpoint PHP",true);//not case sensitive
echo MESSAGE;
echo message;
?>
Output:
Hello JavaTpoint PHPHello JavaTpoint PHP

File: constant3.php
<?php
define("MESSAGE","Hello JavaTpoint PHP",false);//case sensitive
echo MESSAGE;
echo message;
?>
Output:
Hello JavaTpoint PHP
Notice: Use of undefined constant message - assumed 'message'
in C:\wamp\www\vconstant3.php on line 4
message
PHP constant: const keyword
The const keyword defines constants at compile time. It is a language construct not a function.
It is bit faster than define().
It is always case sensitive.

File: constant4.php
<?php
const MESSAGE="Hello const by JavaTpoint PHP";
echo MESSAGE;
?>
Output:
Hello const by JavaTpoint PHP

Magic Constants
Magic constants are the predefined constants in PHP which get changed on the basis of their
use. They start with double underscore (__) and ends with double underscore.
They are similar to other predefined constants but as they change their values with the context,
they are called magic constants.
There are eight magical constants defined in the below table. They are case-insensitive.
Name Description

__LINE__ Represents current line number where it is used.

__FILE__ Represents full path and file name of the file. If it is used inside
an include, name of included file is returned.

__DIR__ Represents full directory path of the file. Equivalent to


dirname(__file__). It does not have a trailing slash unless it is
a root directory. It also resolves symbolic link.

__FUNCTION__ Represents the function name where it is used. If it is used


outside of any function, then it will return blank.

__CLASS__ Represents the function name where it is used. If it is used


outside of any function, then it will return blank.

__TRAIT__ Represents the trait name where it is used. If it is used outside


of any function, then it will return blank. It includes namespace
it was declared in.

__METHOD__ Represents the name of the class method where it is used. The
method name is returned as it was declared.

__NAMESPACE__ Represents the name of the current namespace.

Example
Let's see an example for each of the above magical constants.

File Name: magic.php


<?php
echo "<h3>Example for __LINE__</h3>";
echo "You are at line number " . __LINE__ . "<br><br>";// print Your current line number i.
e;3
echo "<h3>Example for __FILE__</h3>";
echo __FILE__ . "<br><br>";//print full path of file with .php extension
echo "<h3>Example for __DIR__</h3>";
echo __DIR__ . "<br><br>";//print full path of directory where script will be placed
echo dirname(__FILE__) . "<br><br>"; //its output is equivalent to above one.
echo "<h3>Example for __FUNCTION__</h3>";
//Using magic constant inside function.
function cash(){
echo 'the function name is '. __FUNCTION__ . "<br><br>";//the function name is cash.
}
cash();
//Using magic constant outside function gives the blank output.
function test_function(){
echo 'HYIIII';
}
test_function();
echo __FUNCTION__ . "<br><br>";//gives the blank output.

echo "<h3>Example for __CLASS__</h3>";


class abc
{
public function __construct() {
;
}
function abc_method(){
echo __CLASS__ . "<br><br>";//print name of the class abc.
}
}
$t = new abc;
$t->abc_method();
class first{
function test_first(){
echo __CLASS__;//will always print parent class which is first here.
}
}
class second extends first
{
public function __construct() {
;
}
}
$t = new second;
$t->test_first();
echo "<h3>Example for __TRAIT__</h3>";
trait created_trait{
function abc(){
echo __TRAIT__;//will print name of the trait created_trait
}
}
class anew{
use created_trait;
}
$a = new anew;
$a->abc();
echo "<h3>Example for __METHOD__</h3>";
class meth{
public function __construct() {
echo __METHOD__ . "<br><br>";//print meth::__construct
}
public function meth_fun(){
echo __METHOD__;//print meth::meth_fun
}
}
$a = new meth;
$a->meth_fun();
echo "<h3>Example for __NAMESPACE__</h3>";
class name{
public function __construct() {
echo 'This line will be printed on calling namespace';
}
}
$clas_name= __NAMESPACE__ .'\name';
$a = new $clas_name;
?>
Output:
PHP Data Types
PHP data types are used to hold different types of data or values. PHP supports 8 primitive data
types that can be categorized further in 3 types:
1. Scalar Types
2. Compound Types
3. Special Types
PHP Data Types: Scalar Types
There are 4 scalar data types in PHP.
1. boolean
2. integer
3. float
4. string
PHP Data Types: Compound Types
There are 2 compound data types in PHP.
1. array
2. object
PHP Data Types: Special Types
There are 2 special data types in PHP.
1. resource
2. NULL

PHP Operators
PHP Operator is a symbol i.e used to perform operations on operands. For example:
$num=10+20;//+ is the operator and 10,20 are operands
In the above example, + is the binary + operator, 10 and 20 are operands and $num is variable.
PHP Operators can be categorized in following forms:
o Arithmetic Operators
o Comparison Operators
o Bitwise Operators
o Logical Operators
o String Operators
o Incrementing/Decrementing Operators
o Array Operators
o Type Operators
o Execution Operators
o Error Control Operators
o Assignment Operators
We can also categorize operators on behalf of operands. They can be categorized in 3 forms:
o Unary Operators: works on single operands such as ++, -- etc.
o Binary Operators: works on two operands such as binary +, -, *, / etc.
o Ternary Operators: works on three operands such as "?:".
PHP Operators Precedence
Let's see the precedence of PHP operators with associativity.
Operators Additional Information Associativity

clone new clone and new non-


associative

[ array() Left

** arithmetic Right
++ -- ~ (int) (float) (string) (array) increment/decrement and right
(object) (bool) @ types

instanceof types non-


associative

! logical (negation) right

*/% arithmetic left

+-. arithmetic and string left


concatenation

<< >> bitwise (shift) left

< <= > >= comparison non-


associative

== != === !== <> comparison non-


associative

& bitwise AND left

^ bitwise XOR left

| bitwise OR left

&& logical AND left

|| logical OR left

?: ternary left

= += -= *= **= /= .= %= &= |= ^= <<= assignment right


>>= =>

and logical left

xor logical left

or logical left

, many uses (comma) left


PHP Comments
PHP comments can be used to describe any line of code so that other developer can understand
the code easily. It can also be used to hide any code.
PHP supports single line and multi line comments. These comments are similar to C/C++ and
Perl style (Unix shell style) comments.
PHP Single Line Comments
There are two ways to use single line comments in PHP.
o // (C++ style single line comment)
o # (Unix Shell style single line comment)
<?php
// this is C++ style single line comment
# this is Unix Shell style single line comment
echo "Welcome to PHP single line comments";
?>
Output:
Welcome to PHP single line comments
PHP Multi Line Comments
In PHP, we can comments multiple lines also. To do so, we need to enclose all lines within /*
*/. Let's see a simple example of PHP multiple line comment.
<?php
/*
Anything placed
within comment
will not be displayed
on the browser;
*/
echo "Welcome to PHP multi line comment";
?>
Output:
Welcome to PHP multi line comment

PHP If Else
PHP if else statement is used to test condition. There are various ways to use if statement in
PHP.
o if
o if-else
o if-else-if
o nested if
PHP If Statement
PHP if statement is executed if condition is true.
Syntax
if(condition){
//code to be executed
}
Example
<?php
$num=12;
if($num<100){
echo "$num is less than 100";
}
?>
Output:
12 is less than 100

PHP If-else Statement


PHP if-else statement is executed whether condition is true or false.
Syntax
if(condition){
//code to be executed if true
}else{
//code to be executed if false
}
Example
<?php
$num=12;
if($num%2==0){
echo "$num is even number";
}else{
echo "$num is odd number";
}
?>
Output:
12 is even number

PHP Switch
PHP switch statement is used to execute one statement from multiple conditions. It works like
PHP if-else-if statement.
Syntax
switch(expression){
case value1:
//code to be executed
break;
case value2:
//code to be executed
break;
......
default:
code to be executed if all cases are not matched;
}
PHP Switch Example
<?php
$num=20;
switch($num){
case 10:
echo("number is equals to 10");
break;
case 20:
echo("number is equal to 20");
break;
case 30:
echo("number is equal to 30");
break;
default:
echo("number is not equal to 10, 20 or 30");
}
?>
Output:
number is equal to 20

PHP For Loop


PHP for loop can be used to traverse set of code for the specified number of times.
It should be used if number of iteration is known otherwise use while loop.
Syntax
for(initialization; condition; increment/decrement){
//code to be executed
}
Example
<?php
for($n=1;$n<=10;$n++){
echo "$n<br/>";
}
?>
Output:
1
2
3
4
5
6
7
8
9
10

PHP Nested For Loop


We can use for loop inside for loop in PHP, it is known as nested for loop.
In case of inner or nested for loop, nested for loop is executed fully for one outer for loop. If
outer for loop is to be executed for 3 times and inner for loop for 3 times, inner for loop will
be executed 9 times (3 times for 1st outer loop, 3 times for 2nd outer loop and 3 times for 3rd
outer loop).
Example
<?php
for($i=1;$i<=3;$i++){
for($j=1;$j<=3;$j++){
echo "$i $j<br/>";
}
}
?>
Output:
11
12
13
21
22
23
31
32
33

PHP For Each Loop


PHP for each loop is used to traverse array elements.
Syntax
foreach( $array as $var ){
//code to be executed
}
?>
Example
<?php
$season=array("summer","winter","spring","autumn");
foreach( $season as $arr ){
echo "Season is: $arr<br />";
}
?>
Output:
Season is: summer
Season is: winter
Season is: spring
Season is: autumn

PHP While Loop


PHP while loop can be used to traverse set of code like for loop.
It should be used if number of iteration is not known.
Syntax
while(condition){
//code to be executed
}
Alternative Syntax
while(condition):
//code to be executed

endwhile;
PHP While Loop Example
<?php
$n=1;
while($n<=10){
echo "$n<br/>";
$n++;
}
?>
Output:
1
2
3
4
5
6
7
8
9
10
Alternative Example
<?php
$n=1;
while($n<=10):
echo "$n<br/>";
$n++;
endwhile;
?>
Output:
1
2
3
4
5
6
7
8
9
10

PHP Nested While Loop


We can use while loop inside another while loop in PHP, it is known as nested while loop.
In case of inner or nested while loop, nested while loop is executed fully for one outer while
loop. If outer while loop is to be executed for 3 times and nested while loop for 3 times, nested
while loop will be executed 9 times (3 times for 1st outer loop, 3 times for 2nd outer loop and
3 times for 3rd outer loop).
Example
<?php
$i=1;
while($i<=3){
$j=1;
while($j<=3){
echo "$i $j<br/>";
$j++;
}
$i++;
}
?>
Output:
11
12
13
21
22
23
31
32
33

PHP do while loop


PHP do while loop can be used to traverse set of code like php while loop. The PHP do-while
loop is guaranteed to run at least once.
It executes the code at least one time always because condition is checked after executing the
code.
Syntax
do{
//code to be executed
}while(condition);
Example
<?php
$n=1;
do{
echo "$n<br/>";
$n++;
}while($n<=10);
?>
Output:
1
2
3
4
5
6
7
8
9
10

PHP Break
PHP break statement breaks the execution of current for, while, do-while, switch and for-each
loop. If you use break inside inner loop, it breaks the execution of inner loop only.
Syntax
jump statement;
break;
PHP Break: inside loop
Let's see a simple example to break the execution of for loop if value of i is equal to 5.
<?php
for($i=1;$i<=10;$i++){
echo "$i <br/>";
if($i==5){
break;
}
}
?>
Output:
1
2
3
4
5
PHP Break: inside inner loop
The PHP break statement breaks the execution of inner loop only.
<?php
for($i=1;$i<=3;$i++){
for($j=1;$j<=3;$j++){
echo "$i $j<br/>";
if($i==2 && $j==2){
break;
}
}
}
?>
Output:
11
12
13
21
22
31
32
33
PHP Break: inside switch statement
The PHP break statement breaks the flow of switch case also.
<?php
$num=200;
switch($num){
case 100:
echo("number is equals to 100");
break;
case 200:
echo("number is equal to 200");
break;
case 50:
echo("number is equal to 300");
break;
default:
echo("number is not equal to 100, 200 or 500");
}
?>
Output:
number is equal to 200

PHP Functions
PHP function is a piece of code that can be reused many times. It can take input as argument
list and return value. There are thousands of built-in functions in PHP.
In PHP, we can define Conditional function, Function within Function and Recursive
function also.
Advantage of PHP Functions
Code Reusability: PHP functions are defined only once and can be invoked many times, like
in other programming languages.
Less Code: It saves a lot of code because you don't need to write the logic many times. By the
use of function, you can write the logic only once and reuse it.
Easy to understand: PHP functions separate the programming logic. So it is easier to
understand the flow of the application because every logic is divided in the form of functions.

PHP User-defined Functions


We can declare and call user-defined functions easily. Let's see the syntax to declare user-
defined functions.
Syntax
function functionname(){
//code to be executed
}

Note: Function name must be start with letter and underscore only like other labels in PHP. It
can't be start with numbers or special symbols.

PHP Functions Example


File: function1.php
<?php
function sayHello(){
echo "Hello PHP Function";
}
sayHello();//calling function
?>
Output:
Hello PHP Function

PHP Function Arguments


We can pass the information in PHP function through arguments which is separated by comma.
PHP supports Call by Value (default), Call by Reference, Default argument
values and Variable-length argument list.
Let's see the example to pass single argument in PHP function.
File: functionarg.php
<?php
function sayHello($name){
echo "Hello $name<br/>";
}
sayHello("Sonoo");
sayHello("Vimal");
sayHello("John");
?>
Output:
Hello Sonoo
Hello Vimal
Hello John
Let's see the example to pass two argument in PHP function.
File: functionarg2.php
<?php
function sayHello($name,$age){
echo "Hello $name, you are $age years old<br/>";
}
sayHello("Sonoo",27);
sayHello("Vimal",29);
sayHello("John",23);
?>
Output:
Hello Sonoo, you are 27 years old
Hello Vimal, you are 29 years old
Hello John, you are 23 years old

PHP Call By Reference


Value passed to the function doesn't modify the actual value by default (call by value). But we
can do so by passing value as a reference.
By default, value passed to the function is call by value. To pass value as a reference, you need
to use ampersand (&) symbol before the argument name.
Let's see a simple example of call by reference in PHP.
File: functionref.php
<?php
function adder(&$str2)
{
$str2 .= 'Call By Reference';
}
$str = 'Hello ';
adder($str);
echo $str;
?>
Output:
Hello Call By Reference

PHP Function: Default Argument Value


We can specify a default argument value in function. While calling PHP function if you don't
specify any argument, it will take the default argument. Let's see a simple example of using
default argument value in PHP function.
File: functiondefaultarg.php
<?php
function sayHello($name="Sonoo"){
echo "Hello $name<br/>";
}
sayHello("Rajesh");
sayHello();//passing no value
sayHello("John");
?>
Output:
Hello Rajesh
Hello Sonoo
Hello John

PHP Function: Returning Value


Let's see an example of PHP function that returns value.
File: functiondefaultarg.php
<?php
function cube($n){
return $n*$n*$n;
}
echo "Cube of 3 is: ".cube(3);
?>
Output:
Cube of 3 is: 27

PHP Parameterized Function


PHP Parameterized functions are the functions with parameters. You can pass any number of
parameters inside a function. These passed parameters act as variables inside your function.
They are specified inside the parentheses, after the function name.
The output depends upon the dynamic values passed as the parameters into the function.
PHP Parameterized Example 1
Addition and Subtraction
In this example, we have passed two parameters $x and $y inside two
functions add() and sub().
<!DOCTYPE html>
<html>
<head>
<title>Parameter Addition and Subtraction Example</title>
</head>
<body>
<?php
//Adding two numbers
function add($x, $y) {
$sum = $x + $y;
echo "Sum of two numbers is = $sum <br><br>";
}
add(467, 943);

//Subtracting two numbers


function sub($x, $y) {
$diff = $x - $y;
echo "Difference between two numbers is = $diff";
}
sub(943, 467);
?>
</body>
</html>
Output:

PHP Parameterized Example 2


Addition and Subtraction with Dynamic number
In this example, we have passed two parameters $x and $y inside two
functions add() and sub().
<?php
//add() function with two parameter
function add($x,$y)
{
$sum=$x+$y;
echo "Sum = $sum <br><br>";
}
//sub() function with two parameter
function sub($x,$y)
{
$sub=$x-$y;
echo "Diff = $sub <br><br>";
}
//call function, get two argument through input box and click on add or sub button
if(isset($_POST['add']))
{
//call add() function
add($_POST['first'],$_POST['second']);
}
if(isset($_POST['sub']))
{
//call add() function
sub($_POST['first'],$_POST['second']);
}
?>
<form method="post">
Enter first number: <input type="number" name="first"/><br><br>
Enter second number: <input type="number" name="second"/><br><br>
<input type="submit" name="add" value="ADDITION"/>
<input type="submit" name="sub" value="SUBTRACTION"/>
</form>
Output:

We passed the following number,

Now clicking on ADDITION button, we get the following output.

Now clicking on SUBTRACTION button, we get the following output.


PHP Call By Value
PHP allows you to call function by value and reference both. In case of PHP call by value,
actual value is not modified if it is modified inside the function.
Let's understand the concept of call by value by the help of examples.
Example 1
In this example, variable $str is passed to the adder function where it is concatenated with 'Call
By Value' string. But, printing $str variable results 'Hello' only. It is because changes are done
in the local variable $str2 only. It doesn't reflect to $str variable.
<?php
function adder($str2)
{
$str2 .= 'Call By Value';
}
$str = 'Hello ';
adder($str);
echo $str;
?>
Output:
Hello

Example 2
Let's understand PHP call by value concept through another example.
<?php
function increment($i)
{
$i++;
}
$i = 10;
increment($i);
echo $i;
?>
Output:
10

PHP Call By Reference


In case of PHP call by reference, actual value is modified if it is modified inside the function.
In such case, you need to use & (ampersand) symbol with formal arguments. The & represents
reference of the variable.
Let's understand the concept of call by reference by the help of examples.
Example 1
In this example, variable $str is passed to the adder function where it is concatenated with 'Call
By Reference' string. Here, printing $str variable results 'This is Call By Reference'. It is
because changes are done in the actual variable $str.
<?php
function adder(&$str2)
{
$str2 .= 'Call By Reference';
}
$str = 'This is ';
adder($str);
echo $str;
?>
Output:
This is Call By Reference
Example 2
Let's understand PHP call by reference concept through another example.
<?php
function increment(&$i)
{
$i++;
}
$i = 10;
increment($i);
echo $i;
?>
Output:
11

PHP Default Argument Values Function


PHP allows you to define C++ style default argument values. In such case, if you don't pass
any value to the function, it will use default argument value.
Let' see the simple example of using PHP default arguments in function.
Example 1
<?php
function sayHello($name="Ram"){
echo "Hello $name<br/>";
}
sayHello("Sonoo");
sayHello();//passing no value
sayHello("Vimal");
?>
Output:
Hello Sonoo
Hello Ram
Hello Vimal
Since PHP 5, you can use the concept of default argument value with call by reference also.

Example 2
<?php
function greeting($first="Sonoo",$last="Jaiswal"){
echo "Greeting: $first $last<br/>";
}
greeting();
greeting("Rahul");
greeting("Michael","Clark");
?>
Output:
Greeting: Sonoo Jaiswal
Greeting: Rahul Jaiswal
Greeting: Michael Clark
Example 3
<?php
function add($n1=10,$n2=10){
$n3=$n1+$n2;
echo "Addition is: $n3<br/>";
}
add();
add(20);
add(40,40);
?>
Output:
Addition is: 20
Addition is: 30
Addition is: 80

PHP Variable Length Argument Function


PHP supports variable length argument function. It means you can pass 0, 1 or n number of
arguments in function. To do so, you need to use 3 ellipses (dots) before the argument name.
The 3 dot concept is implemented for variable length argument since PHP 5.6.
Let's see a simple example of PHP variable length argument function.
<?php
function add(...$numbers) {
$sum = 0;
foreach ($numbers as $n) {
$sum += $n;
}
return $sum;
}
echo add(1, 2, 3, 4);
?>
Output:
10

PHP Recursive Function


PHP also supports recursive function call like C/C++. In such case, we call current function
within function. It is also known as recursion. It is recommended to avoid recursive function
call over 200 recursion level because it may smash the stack and may cause the termination of
script.
Example 1: Printing number
<?php
function display($number) {
if($number<=5){
echo "$number <br/>";
display($number+1);
}
}

display(1);
?>
Output:
1
2
3
4
5
Example 2 : Factorial Number
<?php
function factorial($n)
{
if ($n < 0)
return -1; /*Wrong value*/
if ($n == 0)
return 1; /*Terminating condition*/
return ($n * factorial ($n -1));
}
echo factorial(5);
?>
Output:
120
PHP Arrays
PHP array is an ordered map (contains value on the basis of key). It is used to hold multiple
values of similar type in a single variable.
Advantage of PHP Array
Less Code: We don't need to define multiple variables.
Easy to traverse: By the help of single loop, we can traverse all the elements of an array.
Sorting: We can sort the elements of array.

PHP Array Types


There are 3 types of array in PHP.
1. Indexed Array
2. Associative Array
3. Multidimensional Array
PHP Indexed Array
PHP indexed array is an array which is represented by an index number by default. All elements
of array are represented by an index number which starts from 0.
PHP indexed array can store numbers, strings or any object. PHP indexed array is also known
as numeric array.
Definition
There are two ways to define indexed array:
1st way:
$size=array("Big","Medium","Short");
2nd way:
$size[0]="Big";
$size[1]="Medium";
$size[2]="Short";
PHP Indexed Array Example

File: array1.php
<?php
$size=array("Big","Medium","Short");
echo "Size: $size[0], $size[1] and $size[2]";
?>
Output:
Size: Big, Medium and Short

File: array2.php
<?php
$size[0]="Big";
$size[1]="Medium";
$size[2]="Short";
echo "Size: $size[0], $size[1] and $size[2]";
?>
Output:
Size: Big, Medium and Short
Traversing PHP Indexed Array
We can easily traverse array in PHP using foreach loop. Let's see a simple example to traverse
all the elements of PHP array.

File: array3.php
<?php
$size=array("Big","Medium","Short");
foreach( $size as $s )
{
echo "Size is: $s<br />";
}
?>
Output:
Size is: Big
Size is: Medium
Size is: Short
Count Length of PHP Indexed Array
PHP provides count() function which returns length of an array.
<?php
$size=array("Big","Medium","Short");
echo count($size);
?>
Output:
3

PHP Associative Array


PHP allows you to associate name/label with each array elements in PHP using => symbol.
Such way, you can easily remember the element because each element is represented by label
than an incremented number.
Definition
There are two ways to define associative array:
1st way:
$salary=array("Sonoo"=>"550000","Vimal"=>"250000","Ratan"=>"200000");
2nd way:
$salary["Sonoo"]="550000";
$salary["Vimal"]="250000";
$salary["Ratan"]="200000";
Example

File: arrayassociative1.php
<?php
$salary=array("Sonoo"=>"550000","Vimal"=>"250000","Ratan"=>"200000");
echo "Sonoo salary: ".$salary["Sonoo"]."<br/>";
echo "Vimal salary: ".$salary["Vimal"]."<br/>";
echo "Ratan salary: ".$salary["Ratan"]."<br/>";
?>
Output:
Sonoo salary: 550000
Vimal salary: 250000
Ratan salary: 200000

File: arrayassociative2.php
<?php
$salary["Sonoo"]="550000";
$salary["Vimal"]="250000";
$salary["Ratan"]="200000";
echo "Sonoo salary: ".$salary["Sonoo"]."<br/>";
echo "Vimal salary: ".$salary["Vimal"]."<br/>";
echo "Ratan salary: ".$salary["Ratan"]."<br/>";
?>
Output:
Sonoo salary: 550000
Vimal salary: 250000
Ratan salary: 200000
Traversing PHP Associative Array
By the help of PHP for each loop, we can easily traverse the elements of PHP associative array.
<?php
$salary=array("Sonoo"=>"550000","Vimal"=>"250000","Ratan"=>"200000");
foreach($salary as $k => $v) {
echo "Key: ".$k." Value: ".$v."<br/>";
}
?>
Output:
Key: Sonoo Value: 550000
Key: Vimal Value: 250000
Key: Ratan Value: 200000

PHP Multidimensional Array


PHP multidimensional array is also known as array of arrays. It allows you to store tabular data
in an array. PHP multidimensional array can be represented in the form of matrix which is
represented by row * column.
Definition
$emp = array
(
array(1,"sonoo",400000),
array(2,"john",500000),
array(3,"rahul",300000)
);
PHP Multidimensional Array Example
Let's see a simple example of PHP multidimensional array to display following tabular data. In
this example, we are displaying 3 rows and 3 columns.
Id Name Salary

1 Sonoo 400000

2 John 500000

3 Rahul 300000
File: multiarray.php
<?php
$emp = array
(
array(1,"sonoo",400000),
array(2,"john",500000),
array(3,"rahul",300000)
);
for ($row = 0; $row < 3; $row++) {
for ($col = 0; $col < 3; $col++) {
echo $emp[$row][$col]." ";
}
echo "<br/>";
}
?>
Output:
1 sonoo 400000
2 john 500000
3 rahul 300000

PHP Array Functions


PHP provides various array functions to access and manipulate the elements of array. The
important PHP array functions are given below.

1) PHP array() function


PHP array() function creates and returns an array. It allows you to create indexed, associative
and multidimensional arrays.
Syntax
array array ([ mixed $... ] )
Example
<?php
$season=array("summer","winter","spring","autumn");
echo "Season are: $season[0], $season[1], $season[2] and $season[3]";
?>
Output:
Season are: summer, winter, spring and autumn

2) PHP array_change_key_case() function


PHP array_change_key_case() function changes the case of all key of an array.
Note: It changes case of key only.
Syntax
array array_change_key_case ( array $array [, int $case = CASE_LOWER ] )
Example
<?php
$salary=array("Sonoo"=>"550000","Vimal"=>"250000","Ratan"=>"200000");
print_r(array_change_key_case($salary,CASE_UPPER));
?>
Output:
Array ( [SONOO] => 550000 [VIMAL] => 250000 [RATAN] => 200000 )
Example
<?php
$salary=array("Sonoo"=>"550000","Vimal"=>"250000","Ratan"=>"200000");
print_r(array_change_key_case($salary,CASE_LOWER));
?>
Output:
Array ( [sonoo] => 550000 [vimal] => 250000 [ratan] => 200000 )

3) PHP array_chunk() function


PHP array_chunk() function splits array into chunks. By using array_chunk() method, you can
divide array into many parts.
Syntax
array array_chunk ( array $array , int $size [, bool $preserve_keys = false ] )
Example
<?php
$salary=array("Sonoo"=>"550000","Vimal"=>"250000","Ratan"=>"200000");
print_r(array_chunk($salary,2));
?>
Output:
Array (
[0] => Array ( [0] => 550000 [1] => 250000 )
[1] => Array ( [0] => 200000 )
)

4) PHP count() function


PHP count() function counts all elements in an array.
Syntax
int count ( mixed $array_or_countable [, int $mode = COUNT_NORMAL ] )
Example
<?php
$season=array("summer","winter","spring","autumn");
echo count($season);
?>
Output:
4

5) PHP sort() function


PHP sort() function sorts all the elements in an array.
Syntax
bool sort ( array &$array [, int $sort_flags = SORT_REGULAR ] )
Example
<?php
$season=array("summer","winter","spring","autumn");
sort($season);
foreach( $season as $s )
{
echo "$s<br />";
}
?>
Output:
autumn
spring
summer
winter

6) PHP array_reverse() function


PHP array_reverse() function returns an array containing elements in reversed order.
Syntax
array array_reverse ( array $array [, bool $preserve_keys = false ] )
Example
<?php
$season=array("summer","winter","spring","autumn");
$reverseseason=array_reverse($season);
foreach( $reverseseason as $s )
{
echo "$s<br />";
}
?>
Output:
autumn
spring
winter
summer
7) PHP array_search() function
PHP array_search() function searches the specified value in an array. It returns key if search is
successful.
Syntax
mixed array_search ( mixed $needle , array $haystack [, bool $strict = false ] )
Example
<?php
$season=array("summer","winter","spring","autumn");
$key=array_search("spring",$season);
echo $key;
?>
Output:
2

8) PHP array_intersect() function


PHP array_intersect() function returns the intersection of two array. In other words, it returns
the matching elements of two array.
Syntax
array array_intersect ( array $array1 , array $array2 [, array $... ] )
Example
<?php
$name1=array("sonoo","john","vivek","smith");
$name2=array("umesh","sonoo","kartik","smith");
$name3=array_intersect($name1,$name2);
foreach( $name3 as $n )
{
echo "$n<br />";
}
?>
Output:
sonoo
smith

PHP String
A PHP string is a sequence of characters i.e. used to store and manipulate text. There are 4
ways to specify string in PHP.
o single quoted
o double quoted
o heredoc syntax
o newdoc syntax (since PHP 5.3)
Single Quoted PHP String
We can create a string in PHP by enclosing text in a single quote. It is the easiest way to specify
string in PHP.
<?php
$str='Hello text within single quote';
echo $str;
?>
Output:
Hello text within single quote
We can store multiple line text, special characters and escape sequences in a single quoted PHP
string.
<?php
$str1='Hello text
multiple line
text within single quoted string';
$str2='Using double "quote" directly inside single quoted string';
$str3='Using escape sequences \n in single quoted string';
echo "$str1 <br/> $str2 <br/> $str3";
?>
Output:
Hello text multiple line text within single quoted string
Using double "quote" directly inside single quoted string
Using escape sequences \n in single quoted string

Note: In single quoted PHP strings, most escape sequences and variables will not be
interpreted. But, we can use single quote through \' and backslash through \\ inside single
quoted PHP strings.

<?php
$num1=10;
$str1='trying variable $num1';
$str2='trying backslash n and backslash t inside single quoted string \n \t';
$str3='Using single quote \'my quote\' and \\backslash';
echo "$str1 <br/> $str2 <br/> $str3";
?>
Output:
trying variable $num1
trying backslash n and backslash t inside single quoted string \n \t
Using single quote 'my quote' and \backslash
Double Quoted PHP String
In PHP, we can specify string through enclosing text within double quote also. But escape
sequences and variables will be interpreted using double quote PHP strings.
<?php
$str="Hello text within double quote";
echo $str;
?>
Output:
Hello text within double quote
Now, you can't use double quote directly inside double quoted string.
<?php
$str1="Using double "quote" directly inside double quoted string";
echo $str1;
?>
Output:
Parse error: syntax error, unexpected 'quote' (T_STRING) in C:\wamp\www\string1.php on
line 2
We can store multiple line text, special characters and escape sequences in a double quoted
PHP string.
<?php
$str1="Hello text
multiple line
text within double quoted string";
$str2="Using double \"quote\" with backslash inside double quoted string";
$str3="Using escape sequences \n in double quoted string";
echo "$str1 <br/> $str2 <br/> $str3";
?>
Output:
Hello text multiple line text within double quoted string
Using double "quote" with backslash inside double quoted string
Using escape sequences in double quoted string
In double quoted strings, variable will be interpreted.
<?php
$num1=10;
echo "Number is: $num1";
?>
Output:
Number is: 10
PHP String Functions
PHP provides various string functions to access and manipulate strings. A list of important
PHP string functions are given below.
1) PHP strtolower() function
The strtolower() function returns string in lowercase letter.
Syntax
string strtolower ( string $string )
Example
<?php
$str="My name is KHAN";
$str=strtolower($str);
echo $str;
?>
Output:
my name is khan
2) PHP strtoupper() function
The strtoupper() function returns string in uppercase letter.
Syntax
string strtoupper ( string $string )
Example
<?php
$str="My name is KHAN";
$str=strtoupper($str);
echo $str;
?>
Output:
MY NAME IS KHAN
3) PHP ucfirst() function
The ucfirst() function returns string converting first character into uppercase. It doesn't change
the case of other characters.
Syntax
string ucfirst ( string $str )
Example
<?php
$str="my name is KHAN";
$str=ucfirst($str);
echo $str;
?>
Output:
My name is KHAN
4) PHP lcfirst() function
The lcfirst() function returns string converting first character into lowercase. It doesn't change
the case of other characters.
Syntax
string lcfirst ( string $str )
Example
<?php
$str="MY name IS KHAN";
$str=lcfirst($str);
echo $str;
?>
Output:
mY name IS KHAN
5) PHP ucwords() function
The ucwords() function returns string converting first character of each word into uppercase.
Syntax
string ucwords ( string $str )
Example
<?php
$str="my name is Sonoo jaiswal";
$str=ucwords($str);
echo $str;
?>
Output:
My Name Is Sonoo Jaiswal
6) PHP strrev() function
The strrev() function returns reversed string.
Syntax
string strrev ( string $string )
Example
<?php
$str="my name is Sonoo jaiswal";
$str=strrev($str);
echo $str;
?>
Output:
lawsiaj oonoS si eman ym
7) PHP strlen() function
The strlen() function returns length of the string.
Syntax
int strlen ( string $string )
Example
<?php
$str="my name is Sonoo jaiswal";
$str=strlen($str);
echo $str;
?>
Output:
24
PHP Math
PHP provides many predefined math constants and functions that can be used to perform
mathematical operations.
PHP Math: abs() function
The abs() function returns absolute value of given number. It returns an integer value but if you
pass floating point value, it returns a float value.
Syntax
number abs ( mixed $number )
Example
<?php
echo (abs(-7)."<br/>"); // 7 (integer)
echo (abs(7)."<br/>"); //7 (integer)
echo (abs(-7.2)."<br/>"); //7.2 (float/double)
?>
Output:
7
7
7.2
PHP Math: ceil() function
The ceil() function rounds fractions up.
Syntax
float ceil ( float $value )
Example
<?php
echo (ceil(3.3)."<br/>");// 4
echo (ceil(7.333)."<br/>");// 8
echo (ceil(-4.8)."<br/>");// -4
?>
Output:
4
8
-4
PHP Math: floor() function
The floor() function rounds fractions down.
Syntax
float floor ( float $value )
Example
<?php
echo (floor(3.3)."<br/>");// 3
echo (floor(7.333)."<br/>");// 7
echo (floor(-4.8)."<br/>");// -5
?>
Output:
3
7
-5
PHP Math: sqrt() function
The sqrt() function returns square root of given argument.
Syntax
float sqrt ( float $arg )
Example
<?php
echo (sqrt(16)."<br/>");// 4
echo (sqrt(25)."<br/>");// 5
echo (sqrt(7)."<br/>");// 2.6457513110646
?>
Output:
4
5
2.6457513110646
PHP Math: decbin() function
The decbin() function converts decimal number into binary. It returns binary number as a
string.
Syntax
string decbin ( int $number )
Example
<?php
echo (decbin(2)."<br/>");// 10
echo (decbin(10)."<br/>");// 1010
echo (decbin(22)."<br/>");// 10110
?>
Output:
10
1010
10110
PHP Math: dechex() function
The dechex() function converts decimal number into hexadecimal. It returns hexadecimal
representation of given number as a string.
Syntax
string dechex ( int $number )
Example
<?php
echo (dechex(2)."<br/>");// 2
echo (dechex(10)."<br/>");// a
echo (dechex(22)."<br/>");// 16
?>
Output:
2
a
16
PHP Math: decoct() function
The decoct() function converts decimal number into octal. It returns octal representation of
given number as a string.
Syntax
string decoct ( int $number )
Example
<?php
echo (decoct(2)."<br/>");// 2
echo (decoct(10)."<br/>");// 12
echo (decoct(22)."<br/>");// 26
?>
Output:
2
12
26
PHP Math: base_convert() function
The base_convert() function allows you to convert any base number to any base number. For
example, you can convert hexadecimal number to binary, hexadecimal to octal, binary to octal,
octal to hexadecimal, binary to decimal etc.
Syntax
string base_convert ( string $number , int $frombase , int $tobase )
Example
<?php
$n1=10;
echo (base_convert($n1,10,2)."<br/>");// 1010
?>
Output:
1010
PHP Math: bindec() function
The bindec() function converts binary number into decimal.
Syntax
number bindec ( string $binary_string )
Example
<?php
echo (bindec(10)."<br/>");// 2
echo (bindec(1010)."<br/>");// 10
echo (bindec(1011)."<br/>");// 11
?>
Output:
2
10
11
PHP Math Functions
Let's see the list of important PHP math functions.
Function Description

abs() It is used to find the absolute (positive) value of a number.

sin() It is used to return the sine of a number.

sinh() It is used to return the hyperbolic sine of a number.

asin() It is used to find the arc sine of a number.

asinh() It is used to find the inverse hyperbolic sine of a number.

cos() It is used to find the cosine of a number.


cosh() It is used to return the cosh of a number.

acos() It is used to return the arc cosine of a number.

acosh() It is used to return the inverse hyperbolic cosine of a number.

tan() It is used to return the tangent of a number.

tanh() It is used to return the hyperbolic tangent of a number.

atan() It is used to return the arc tangent of a number in radians.

atan2() It is used to return the arc tangent of two variables x and y.

atanh() It is used to return the inverse hyperbolic tangent of a number.

base_convert() It is used to convert a number from one number base to another.

bindec() It is used to convert a binary number to a decimal number.

ceil() It is used to find round a number up to the nearest integer.

pi() It returns the approximation value of PI.

decbin() It converts a decimal number to a binary number.

dechex() It converts a decimal number to a hexadecimal number.

decoct() It converts a decimal number to an octal number

deg2rad() It converts a degree value to a radian value.

rad2deg() It converts a radian value to a degree value.

exp() It is used to calculate the exponent of e.

expm1() It is used to return exp(x) - 1.

floor() It converts round a number down to the nearest integer.

fmod() It returns the remainder of x/y.

getrandmax() It returns the largest possible value returned by rand().

hexadec() It is used to convert a hexadecimal number to a decimal number.


hypot() It is used to calculate the hypotenuse of a right-angle triangle.

is_finite() To check whether a value is finite or not.

is_infinite() It is used to check whether a value is infinite or not.

is_nan() It is used to check whether a value is 'not-a-number'.

lcg_value() It is used to return a pseudo random number in a range between


0 and 1.

log() It is used to return the natural logarithm of a number.

log10() It is used to return the base-10 logarithm of a number.

log1p() It is used to return log(1+number).

max() It is used to return the highest value in an array, or the highest


value of several specified values.

min() It returns the lowest value in an array, or the lowest value of


several specified values.

getrandmax() It is used to return the maximum value by using rand().

mt_getrandmax() Returns the largest possible value returned by mt_rand().

mt_rand() Generates a random integer using Mersenne Twister algorithm.

mt_srand() Seeds the Mersenne Twister random number generator.

octdec() It is used to converts an octal number to a decimal number.

pow() It is used to return x raised to the power of y.

intdiv It returns the integer quotient of the division of dividend by


divisor.

rand() It is used to generates a random integer.

round() It is used to round a floating-point number.

fmod() It is used to return the floating point remainder of the division of


the argument.
sqrt() It is used to return the square root of a number.
PHP Form Handling
We can create and use forms in PHP. To get form data, we need to use PHP superglobals
$_GET and $_POST.
The form request may be get or post. To retrieve data from get request, we need to use $_GET,
for post request $_POST.
PHP Get Form
Get request is the default form request. The data passed through get request is visible on the
URL browser so it is not secured. You can send limited amount of data through get request.
Let's see a simple example to receive data from get request in PHP.
File: form1.html
<form action="welcome.php" method="get">
Name: <input type="text" name="name"/>
<input type="submit" value="visit"/>
</form>
File: welcome.php
<?php
$name=$_GET["name"];//receiving name field value in $name variable
echo "Welcome, $name";
?>
PHP Post Form
Post request is widely used to submit form that have large amount of data such as file upload,
image upload, login form, registration form etc.
The data passed through post request is not visible on the URL browser so it is secured. You
can send large amount of data through post request.
Let's see a simple example to receive data from post request in PHP.
File: form1.html
<form action="login.php" method="post">
<table>
<tr><td>Name:</td><td> <input type="text" name="name"/></td></tr>
<tr><td>Password:</td><td> <input type="password" name="password"/></td></tr>
<tr><td colspan="2"><input type="submit" value="login"/> </td></tr>
</table>
</form>
File: login.php
<?php
$name=$_POST["name"];//receiving name field value in $name variable
$password=$_POST["password"];//receiving password field value in $password variable ech
o "Welcome: $name, your password is: $password";
?>
Output:
PHP Include File
PHP allows you to include file so that a page content can be reused many times. There are two
ways to include file in PHP.
1. include
2. require
Advantage
Code Reusability: By the help of include and require construct, we can reuse HTML code or
PHP script in many PHP scripts.
PHP include exampl
PHP include is used to include file on the basis of given path. You may use relative or absolute
path of the file. Let's see a simple PHP include example.
File: menu.html
<a href="http://www.javatpoint.com">Home</a> |
<a href="http://www.javatpoint.com/php-tutorial">PHP</a> |
<a href="http://www.javatpoint.com/java-tutorial">Java</a> |
<a href="http://www.javatpoint.com/html-tutorial">HTML</a>
File: include1.php
<?php include("menu.html"); ?>
<h1>This is Main Page</h1>
Output:
Home | PHP | Java | HTML
This is Main Page
PHP require example
PHP require is similar to include. Let's see a simple PHP require example.
File: menu.html
<a href="http://www.javatpoint.com">Home</a> |
<a href="http://www.javatpoint.com/php-tutorial">PHP</a> |
<a href="http://www.javatpoint.com/java-tutorial">Java</a> |
<a href="http://www.javatpoint.com/html-tutorial">HTML</a>
File: require1.php
<?php require("menu.html"); ?>
<h1>This is Main Page</h1>
Output:
Home | PHP | Java | HTML
This is Main Page
PHP include vs PHP require
If file is missing or inclusion fails, include allows the script to continue but require halts the
script producing a fatal E_COMPILE_ERROR level error.
PHP Cookie
PHP cookie is a small piece of information which is stored at client browser. It is used to
recognize the user.
Cookie is created at server side and saved to client browser. Each time when client sends
request to the server, cookie is embedded with request. Such way, cookie can be received at
the server side.

In short, cookie can be created, sent and received at server end.

Note: PHP Cookie must be used before <html> tag.

PHP setcookie() function


PHP setcookie() function is used to set cookie with HTTP response. Once cookie is set, you
can access it by $_COOKIE superglobal variable.
Syntax
bool setcookie ( string $name [, string $value [, int $expire = 0 [, string $path
[, string $domain [, bool $secure = false [, bool $httponly = false ]]]]]] )
Example
setcookie("CookieName", "CookieValue");/* defining name and value only*/
setcookie("CookieName", "CookieValue", time()+1*60*60);//using expiry in 1 hour(1*60*6
0 seconds or 3600 seconds)
setcookie("CookieName", "CookieValue", time()+1*60*60, "/mypath/", "mydomain.com", 1)
;
PHP $_COOKIE
PHP $_COOKIE superglobal variable is used to get cookie.
Example
$value=$_COOKIE["CookieName"];//returns cookie value
PHP Cookie Example
File: cookie1.php
<?php
setcookie("user", "Sonoo");
?>
<html>
<body>
<?php
if(!isset($_COOKIE["user"])) {
echo "Sorry, cookie is not found!";
} else {
echo "<br/>Cookie Value: " . $_COOKIE["user"];
}
?>
</body>
</html>
Output:
Sorry, cookie is not found!
Firstly cookie is not set. But, if you refresh the page, you will see cookie is set now.
Output:
Cookie Value: Sonoo
PHP Delete Cookie
If you set the expiration date in past, cookie will be deleted.
File: cookie1.php
<?php
setcookie ("CookieName", "", time() - 3600);// set the expiration date to one hour ago
?>
PHP Session
PHP session is used to store and pass information from one page to another temporarily (until
user close the website).
PHP session technique is widely used in shopping websites where we need to store and pass
cart information e.g. username, product code, product name, product price etc from one page
to another.
PHP session creates unique user id for each browser to recognize the user and avoid conflict
between multiple browsers.

PHP session_start() function


PHP session_start() function is used to start the session. It starts a new or resumes existing
session. It returns existing session if session is created already. If session is not available, it
creates and returns new session.
Syntax
bool session_start ( void )
Example
session_start();
PHP $_SESSION
PHP $_SESSION is an associative array that contains all session variables. It is used to set and
get session variable values.
Example: Store information
$_SESSION["user"] = "Sachin";
Example: Get information
echo $_SESSION["user"];
PHP Session Example
File: session1.php
<?php
session_start();
?>
<html>
<body>
<?php
$_SESSION["user"] = "Sachin";
echo "Session information are set successfully.<br/>";
?>
<a href="session2.php">Visit next page</a>
</body>
</html>
File: session2.php
<?php
session_start();
?>
<html>
<body>
<?php
echo "User is: ".$_SESSION["user"];
?>
</body>
</html>
PHP Session Counter Example
File: sessioncounter.php
<?php
session_start();

if (!isset($_SESSION['counter'])) {
$_SESSION['counter'] = 1;
} else {
$_SESSION['counter']++;
}
echo ("Page Views: ".$_SESSION['counter']);
?>
PHP Destroying Session
PHP session_destroy() function is used to destroy all session variables completely.
File: session3.php
<?php
session_start();
session_destroy();
?>
PHP File Handling
PHP File System allows us to create file, read file line by line, read file character by character,
write file, append file, delete file and close file.
PHP Open File
PHP fopen() function is used to open file or URL and returns resource. The fopen() function
accepts two arguments: $filename and $mode. The $filename represents the file to be opended
and $mode represents the file mode for example read-only, read-write, write-only etc.
Syntax
1. resource fopen ( string $filename , string $mode [, bool $use_include_path = false [, resource
$context ]] )
PHP Open File Mode
Mode Description

r Opens file in read-only mode. It places the file pointer at the beginning of the
file.

r+ Opens file in read-write mode. It places the file pointer at the beginning of the
file.

w Opens file in write-only mode. It places the file pointer to the beginning of the
file and truncates the file to zero length. If file is not found, it creates a new
file.

w+ Opens file in read-write mode. It places the file pointer to the beginning of the
file and truncates the file to zero length. If file is not found, it creates a new
file.

a Opens file in write-only mode. It places the file pointer to the end of the file.
If file is not found, it creates a new file.

a+ Opens file in read-write mode. It places the file pointer to the end of the file.
If file is not found, it creates a new file.

x Creates and opens file in write-only mode. It places the file pointer at the
beginning of the file. If file is found, fopen() function returns FALSE.

x+ It is same as x but it creates and opens file in read-write mode.


c Opens file in write-only mode. If the file does not exist, it is created. If it exists,
it is neither truncated (as opposed to 'w'), nor the call to this function fails (as
is the case with 'x'). The file pointer is positioned on the beginning of the file

c+ It is same as c but it opens file in read-write mode.


PHP Open File Example
1. <?php
2. $handle = fopen("c:\\folder\\file.txt", "r");
3. ?>
PHP Read File
PHP provides various functions to read data from file. There are different functions that allow
you to read all file data, read data line by line and read data character by character.
The available PHP file read functions are given below.
o fread()
o fgets()
o fgetc()
PHP Read File - fread()
The PHP fread() function is used to read data of the file. It requires two arguments: file resource
and file size.
Syntax
string fread (resource $handle , int $length )
$handle represents file pointer that is created by fopen() function.
$length represents length of byte to be read.
Example
<?php
$filename = "c:\\file1.txt";
$fp = fopen($filename, "r");//open file in read mode
$contents = fread($fp, filesize($filename));//read file
echo "<pre>$contents</pre>";//printing data of file
fclose($fp);//close file
?>
Output
this is first line
this is another line
this is third line
PHP Read File - fgets()
The PHP fgets() function is used to read single line from the file.
Syntax
string fgets ( resource $handle [, int $length ] )
Example
<?php
$fp = fopen("c:\\file1.txt", "r");//open file in read mode
echo fgets($fp);
fclose($fp);
?>
Output
this is first line
PHP Read File - fgetc()
The PHP fgetc() function is used to read single character from the file. To get all data using
fgetc() function, use !feof() function inside the while loop.
Syntax
string fgetc ( resource $handle )
Example
<?php
$fp = fopen("c:\\file1.txt", "r");//open file in read mode
while(!feof($fp)) {
echo fgetc($fp);
}
fclose($fp);
?>
Output
this is first line this is another line this is third line
PHP Write File
PHP fwrite() and fputs() functions are used to write data into file. To write data into file, you
need to use w, r+, w+, x, x+, c or c+ mode.
PHP Write File - fwrite()
The PHP fwrite() function is used to write content of the string into file.
Syntax
int fwrite ( resource $handle , string $string [, int $length ] )
Example
<?php
$fp = fopen('data.txt', 'w');//opens file in write-only mode
fwrite($fp, 'welcome ');
fwrite($fp, 'to php file write');
fclose($fp);
echo "File written successfully";
?>
Output: data.txt
welcome to php file write
PHP Overwriting File
If you run the above code again, it will erase the previous data of the file and writes the new
data. Let's see the code that writes only new data into data.txt file.
<?php
$fp = fopen('data.txt', 'w');//opens file in write-only mode
fwrite($fp, 'hello');
fclose($fp);
echo "File written successfully";
?>
Output: data.txt
hello
PHP Append to File
You can append data into file by using a or a+ mode in fopen() function. Let's see a simple
example that appends data into data.txt file.
Let's see the data of file first.
data.txt
welcome to php file write
PHP Append to File - fwrite()
The PHP fwrite() function is used to write and append data into file.
Example
<?php
$fp = fopen('data.txt', 'a');//opens file in append mode
fwrite($fp, ' this is additional text ');
fwrite($fp, 'appending data');
fclose($fp);
echo "File appended successfully";
?>
Output: data.txt
welcome to php file write this is additional text appending data
PHP Delete File
In PHP, we can delete any file using unlink() function. The unlink() function accepts one
argument only: file name. It is similar to UNIX C unlink() function.
PHP unlink() generates E_WARNING level error if file is not deleted. It returns TRUE if file
is deleted successfully otherwise FALSE.
Syntax
bool unlink ( string $filename [, resource $context ] )
$filename represents the name of the file to be deleted.
PHP Delete File Example
<?php
$status=unlink('data.txt');
if($status){
echo "File deleted successfully";
}else{
echo "Sorry!";
}
?>
Output
File deleted successfully
PHP File Upload
PHP allows you to upload single and multiple files through few lines of code only.
PHP file upload features allows you to upload binary and text files both. Moreover, you can
have the full control over the file to be uploaded through PHP authentication and file operation
functions.
PHP $_FILES
The PHP global $_FILES contains all the information of file. By the help of $_FILES global,
we can get file name, file type, file size, temp file name and errors associated with file.
Here, we are assuming that file name is filename.
$_FILES['filename']['name']
returns file name.
$_FILES['filename']['type']
returns MIME type of the file.
$_FILES['filename']['size']
returns size of the file (in bytes).
$_FILES['filename']['tmp_name']
returns temporary file name of the file which was stored on the server.
$_FILES['filename']['error']
returns error code associated with this file.
move_uploaded_file() function
The move_uploaded_file() function moves the uploaded file to a new location. The
move_uploaded_file() function checks internally if the file is uploaded thorough the POST
request. It moves the file if it is uploaded through the POST request.
Syntax
bool move_uploaded_file ( string $filename , string $destination )
PHP File Upload Example
File: uploadform.html
<form action="uploader.php" method="post" enctype="multipart/form-data">
Select File:
<input type="file" name="fileToUpload"/>
<input type="submit" value="Upload Image" name="submit"/>
</form>
File: uploader.php
<?php
$target_path = "e:/";
$target_path = $target_path.basename( $_FILES['fileToUpload']['name']);
if(move_uploaded_file($_FILES['fileToUpload']['tmp_name'], $target_path)) {
echo "File uploaded successfully!";
} else{
echo "Sorry, file not uploaded, please try again!";
}
?>
PHP Download File
PHP enables you to download file easily using built-in readfile() function. The readfile()
function reads a file and writes it to the output buffer.
PHP readfile() function
Syntax
int readfile ( string $filename [, bool $use_include_path = false [, resource $context ]] )
$filename: represents the file name
$use_include_path: it is the optional parameter. It is by default false. You can set it to true to
the search the file in the included_path.
$context: represents the context stream resource.
int: it returns the number of bytes read from the file.
PHP Download File Example: Text File
File: download1.php
<?php
$file_url = 'http://www.javatpoint.com/f.txt';
header('Content-Type: application/octet-stream');
header("Content-Transfer-Encoding: utf-8");
header("Content-disposition: attachment; filename=\"" . basename($file_url) . "\"");
readfile($file_url);
?>
PHP Download File Example: Binary File
File: download2.php
<?php
$file_url = 'http://www.myremoteserver.com/file.exe';
header('Content-Type: application/octet-stream');
header("Content-Transfer-Encoding: Binary");
header("Content-disposition: attachment; filename=\"" . basename($file_url) . "\"");
readfile($file_url);
?>
PHP Date() and Time() Function
Dates are so much part of everyday life that it becomes easy to work with them without
thinking. PHP also provides powerful tools for date arithmetic that make manipulating
dates easy.
Getting the Time Stamp with time():
PHP's time() function gives you all the information that you need about the current date and
time. It requires no arguments but returns an integer.
The integer returned by time() represents the number of seconds elapsed since midnight GMT
on January 1, 1970. This moment is known as the UNIX epoch, and the number of seconds that
have elapsed since then is referred to as a time stamp.
<?php
print time();
?>
It will produce following result:
948316201
This is something difficult to understand. But PHP offers excellent tools to convert a time
stamp into a form that humans are comfortable with.
Converting a Time Stamp with getdate():
The function getdate() optionally accepts a time stamp and returns an associative array
containing information about the date. If you omit the time stamp, it works with the current
time stamp as returned by time().
Following table lists the elements contained in the array returned by getdate().
Key Description Example
seconds Seconds past the minutes (0-59) 20
minutes Minutes past the hour (0 – 59) 29
hours Hours of the day (0 – 23) 22
mday Day of the month (1 – 31) 11
wday Day of the week (0 – 6) 4
mon Month of the year (1 – 12) 7
year Year (4 digits) 1997
yday Day of year ( 0 – 365 ) 19
weekday Day of the week Thursday
month Month of the year January
0 Timestamp 948370048
Now you have complete control over date and time. You can format this date and time in
whatever format you wan.
Example:
Try out following example
<?php
$date_array = getdate();
foreach ( $date_array as $key => $val )
{
print "$key = $val<br />";
}
$formated_date = "Today's date: ";
$formated_date .= $date_array[mday] . "/";
$formated_date .= $date_array[mon] . "/";
$formated_date .= $date_array[year];

print $formated_date;
?>
It will produce following result:
seconds = 27
minutes = 25
hours = 11
mday = 12
wday = 6
mon = 5
year = 2007
yday = 131
weekday = Saturday
month = May
0 = 1178994327
Today's date: 12/5/2007

The PHP date() function is used to format a time and/or date.


The PHP Date() Function
The PHP date() function formats a timestamp to a more readable date and time.
A timestamp is a sequence of characters, denoting the date and/or time at which a certain event
occurred.
Syntax
date(format,timestamp)

Parameter Description
format: Required. Specifies the format of the timestamp
timestamp: Optional. Specifies a timestamp. Default is the current date and time
The date() optionally accepts a time stamp if ommited then current date and time will be used.
Any other data you include in the format string passed to date() will be included in the return
value.
Following table lists the codes that a format string can contain:
Format Description Example
A 'am' or 'pm' lowercase pm
A 'AM' or 'PM' uppercase PM
D Day of month, a number with leading zeroes 20
D Day of week (three letters) Thu
F Month name January
H Hour (12-hour format – leading zeroes) 12
H Hour (24-hour format – leading zeroes) 22
G Hour (12-hour format – no leading zeroes) 12
G Hour (24-hour format – no leading zeroes) 22
I Minutes ( 0 – 59 ) 23
J Day of the month (no leading zeroes 20
l (Lower 'L') Day of the week Thursday
L Leap year ('1' for yes, '0' for no) 1
M Month of year (number – leading zeroes) 1
M Month of year (three letters) Jan
Thu, 21 Dec
R The RFC 2822 formatted date 2000 16:01:07
+0200
N Month of year (number – no leading zeroes) 2
S Seconds of hour 20
U Time stamp 948372444
Y Year (two digits) 06
Y Year (four digits) 2006
Z Day of year (0 – 365) 206
Z Offset in seconds from GMT +5
Try out following example:
<?php
print date("m/d/y G.i:s<br>", time());
print "Today is ";
print date("j of F Y, \a\\t g.i a", time());
?>
It will produce following result:
01/20/00 13.27:55
Today is 20 of January 2000, at 1.27 pm

PHP Date() – Adding a Timestamp


The optional timestamp parameter in the date() function specifies a timestamp. If you do not
specify a timestamp, the current date and time will be used.
The mktime() function returns the Unix timestamp for a date.
The Unix timestamp contains the number of seconds between the Unix Epoch (January 1 1970
00:00:00 GMT) and the time specified.
Syntax for mktime()
mktime(hour,minute,second,month,day,year,is_dst)
To go one day in the future we simply add one to the day argument of mktime():
<?php
$tomorrow = mktime(0,0,0,date("m"),date("d")+1,date("Y"));
echo "Tomorrow is ".date("Y/m/d", $tomorrow);
?>
The output of the code above could be something like this:
Tomorrow is 2009/05/12
PHP Exception Handling
PHP Exception Handling are used to change the normal flow of a script if a specified error
occurs.
What is PHP Exception
With PHP 5 came a new object oriented way of dealing with errors.
Exception handling is used to change the normal flow of the code execution if a specified error
(exceptional) condition occurs. This condition is called an exception.
This is what normally happens when an exception is triggered:
 The current code state is saved
 The code execution will switch to a predefined (custom) exception handler function
 Depending on the situation, the handler may then resume the execution from the saved
code state, terminate the script execution or continue the script from a different location
in the code
We will show different error handling methods:
 Basic use of Exceptions
 Creating a custom exception handler
 Multiple exceptions
 Re-throwing an exception
 Setting a top level exception handler
Note: Exceptions should only be used with error conditions, and should not be used to jump to
another place in the code at a specified point.
Basic Use of PHP Exceptions
When an exception is thrown, the code following it will not be executed, and PHP will try to
find the matching "catch" block.
If an exception is not caught, a fatal error will be issued with an "Uncaught Exception"
message.
Lets try to throw an exception without catching it:
<?php
//create function with an exception
function checkNum($number)
{
if($number>1)
{
throw new Exception("Value must be 1 or below");
}
return true;
}
//trigger exception
checkNum(2);
?>
The code above will get an error like this:
Fatal error: Uncaught exception 'Exception'
with message 'Value must be 1 or below' in C:\webfolder\test.php:6
Stack trace: #0 C:\webfolder\test.php(12):
checkNum(28) #1 {main} thrown in C:\webfolder\test.php on line 6

Try, throw and catch


To avoid the error from the example above, we need to create the proper code to handle an
exception.
Proper exception code should include:
1. Try – A function using an exception should be in a "try" block. If the exception does
not trigger, the code will continue as normal. However if the exception triggers, an
exception is "thrown"
2. Throw – This is how you trigger an exception. Each "throw" must have at least one
"catch"
3. Catch – A "catch" block retrieves an exception and creates an object containing the
exception information
Lets try to trigger an exception with valid code:
<?php
//create function with an exception
function checkNum($number)
{
if($number>1)
{
throw new Exception("Value must be 1 or below");
}
return true;
}
//trigger exception in a "try" block
try
{
checkNum(2);
//If the exception is thrown, this text will not be shown
echo 'If you see this, the number is 1 or below';
}
//catch exception
catch(Exception $e)
{
echo 'Message: ' .$e->getMessage();
}
?>
The code above will get an error like this:
Message: Value must be 1 or below
Example explained:
The code above throws an exception and catches it:
1. The checkNum() function is created. It checks if a number is greater than 1. If it is, an
exception is thrown
2. The checkNum() function is called in a "try" block
3. The exception within the checkNum() function is thrown
4. The "catch" block retrives the exception and creates an object ($e) containing the
exception information
5. The error message from the exception is echoed by calling $e->getMessage() from the
exception object
However, one way to get around the "every throw must have a catch" rule is to set a top level
exception handler to handle errors that slip through.

Creating a Custom PHP Exception Class


Creating a custom exception handler is quite simple. We simply create a special class with
functions that can be called when an exception occurs in PHP. The class must be an extension
of the exception class.
The custom exception class inherits the properties from PHP's exception class and you can add
custom functions to it.
Lets create an exception class:
<?php
class customException extends Exception
{
public function errorMessage()
{
//error message
$errorMsg = 'Error on line '.$this->getLine().' in '.$this->getFile()
.': <b>'.$this->getMessage().'</b> is not a valid E-Mail address';
return $errorMsg;
}
}
$email = "someone@example…com";
try
{
//check if
if(filter_var($email, FILTER_VALIDATE_EMAIL) === FALSE)
{
//throw exception if email is not valid
throw new customException($email);
}
}
catch (customException $e)
{
//display custom message
echo $e->errorMessage();
}
?>
The new class is a copy of the old exception class with an addition of the errorMessage()
function. Since it is a copy of the old class, and it inherits the properties and methods from the
old class, we can use the exception class methods like getLine() and getFile() and
getMessage().
Example explained:
The code above throws an exception and catches it with a custom exception class:
1. The customException() class is created as an extension of the old exception class. This
way it inherits all methods and properties from the old exception class
2. The errorMessage() function is created. This function returns an error message if an e-
mail address is invalid
3. The $email variable is set to a string that is not a valid e-mail address
4. The "try" block is executed and an exception is thrown since the e-mail address is
invalid
5. The "catch" block catches the exception and displays the error message

Multiple PHP Exceptions


It is possible for a script to use multiple exceptions to check for multiple conditions.
It is possible to use several if..else blocks, a switch, or nest multiple exceptions. These
exceptions can use different exception classes and return different error messages:
<?php
class customException extends Exception
{
public function errorMessage()
{
//error message
$errorMsg = 'Error on line '.$this->getLine().' in '.$this->getFile()
.': <b>'.$this->getMessage().'</b> is not a valid E-Mail address';
return $errorMsg;
}
}
$email = "someone@example.com";
try
{
//check if
if(filter_var($email, FILTER_VALIDATE_EMAIL) === FALSE)
{
//throw exception if email is not valid
throw new customException($email);
}
//check for "example" in mail address
if(strpos($email, "example") !== FALSE)
{
throw new Exception("$email is an example e-mail");
}
}
catch (customException $e)
{
echo $e->errorMessage();
}
catch(Exception $e)
{
echo $e->getMessage();
}
?>
Example explained:
The code above tests two conditions and throws an exception if any of the conditions are not
met:
1. The customException() class is created as an extension of the old exception class. This
way it inherits all methods and properties from the old exception class
2. The errorMessage() function is created. This function returns an error message if an e-
mail address is invalid
3. The $email variable is set to a string that is a valid e-mail address, but contains the
string "example"
4. The "try" block is executed and an exception is not thrown on the first condition
5. The second condition triggers an exception since the e-mail contains the string
"example"
6. The "catch" block catches the exception and displays the correct error message
If the exception thrown were of the class customException and there were no customException
catch, only the base exception catch, the exception would be handled there.

Re-throwing PHP Exceptions


Sometimes, when an exception is thrown, you may wish to handle it differently than the
standard way. It is possible to throw an exception a second time within a "catch" block.
A script should hide system errors from users. System errors may be important for the coder,
but is of no interest to the user. To make things easier for the user you can re-throw the
exception with a user friendly message:
<?php
class customException extends Exception
{
public function errorMessage()
{
//error message
$errorMsg = $this->getMessage().' is not a valid E-Mail address.';
return $errorMsg;
}
}
$email = "someone@example.com";
try
{
try
{
//check for "example" in mail address
if(strpos($email, "example") !== FALSE)
{
//throw exception if email is not valid
throw new Exception($email);
}
}
catch(Exception $e)
{
//re-throw exception
throw new customException($email);
}
}
catch (customException $e)
{
//display custom message
echo $e->errorMessage();
}
?>
Example explained:
The code above tests if the email-address contains the string "example" in it, if it does, the
exception is re-thrown:
1. The customException() class is created as an extension of the old exception class. This
way it inherits all methods and properties from the old exception class
2. The errorMessage() function is created. This function returns an error message if an e-
mail address is invalid
3. The $email variable is set to a string that is a valid e-mail address, but contains the
string "example"
4. The "try" block contains another "try" block to make it possible to re-throw the
exception
5. The exception is triggered since the e-mail contains the string "example"
6. The "catch" block catches the exception and re-throws a "customException"
7. The "customException" is caught and displays an error message
If the exception is not caught in its current "try" block, it will search for a catch block on "higher
levels".

Set a Top Level Exception Handler


The set_exception_handler() function sets a user-defined function to handle all uncaught
exceptions.
<?php
function myException($exception)
{
echo "<b>Exception:</b> " , $exception->getMessage();
}
set_exception_handler('myException');
throw new Exception('Uncaught Exception occurred');
?>
The output of the code above should be something like this:
Exception: Uncaught Exception occurred
In the code above there was no "catch" block. Instead, the top level exception handler triggered.
This function should be used to catch uncaught exceptions.

Rules for php exceptions


 Code may be surrounded in a try block, to help catch potential exceptions
 Each try block or "throw" must have at least one corresponding catch block
 Multiple catch blocks can be used to catch different classes of exceptions
 Exceptions can be thrown (or re-thrown) in a catch block within a try block
PHP – AJAX and XML
AJAX can be used for interactive communication with an XML file.
AJAX XML Example
The following example will demonstrate how a web page can fetch information from an XML
file with AJAX:
Select a CD:

CD info will be listed here…

Example Explained – The HTML Page


When a user selects a CD in the dropdown list above, a function called "showCD()" is executed.
The function is triggered by the "onchange" event:
<html>
<head>
<script>
function showCD(str)
{
if (str=="")
{
document.getElementById("txtHint").innerHTML="";
return;
}
if (window.XMLHttpRequest)
{// code for IE7+, Firefox, Chrome, Opera, Safari
xmlhttp=new XMLHttpRequest();
}
else
{// code for IE6, IE5
xmlhttp=new ActiveXObject("Microsoft.XMLHTTP");
}
xmlhttp.onreadystatechange=function()
{
if (xmlhttp.readyState==4 && xmlhttp.status==200)
{
document.getElementById("txtHint").innerHTML=xmlhttp.responseText;
}
}
xmlhttp.open("GET","getcd.php?q="+str,true);
xmlhttp.send();
}
</script>
</head>
<body>
<form>
Select a CD:
<select name="cds" onchange="showCD(this.value)">
<option value="">Select a CD:</option>
<option value="Bob Dylan">Bob Dylan</option>
<option value="Bonnie Tyler">Bonnie Tyler</option>
<option value="Dolly Parton">Dolly Parton</option>
</select>
</form>
<div id="txtHint"><b>CD info will be listed here…</b></div>
</body>
</html>
The showCD() function does the following:
 Check if a CD is selected
 Create an XMLHttpRequest object
 Create the function to be executed when the server response is ready
 Send the request off to a file on the server
 Notice that a parameter (q) is added to the URL (with the content of the dropdown list)

The PHP File


The page on the server called by the JavaScript above is a PHP file called "getcd.php".
The PHP script loads an XML document, "cd_catalog.xml", runs a query against the XML file,
and returns the result as HTML:
<?php
$q=$_GET[“q”];
$xmlDoc = new DOMDocument();
$xmlDoc->load("cd_catalog.xml");
$x=$xmlDoc->getElementsByTagName('ARTIST');
for ($i=0; $i<=$x->length-1; $i++)
{
//Process only element nodes
if ($x->item($i)->nodeType==1)
{
if ($x->item($i)->childNodes->item(0)->nodeValue == $q)
{
$y=($x->item($i)->parentNode);
}
}
}
$cd=($y->childNodes);
for ($i=0;$i<$cd->length;$i++)
{
//Process only element nodes
if ($cd->item($i)->nodeType==1)
{
echo("<b>" . $cd->item($i)->nodeName . ":</b> ");
echo($cd->item($i)->childNodes->item(0)->nodeValue);
echo("<br>");
}
}
?>
When the CD query is sent from the JavaScript to the PHP page, the following happens:
1. PHP creates an XML DOM object
2. Find all <artist> elements that matches the name sent from the JavaScript
3. Output the album information (send to the "txtHint" placeholder)

What is MySQL
MySQL is a fast, easy to use relational database. It is currently the most popular open-source
database. It is very commonly used in conjunction with PHP scripts to create powerful and
dynamic server-side applications.
MySQL is used for many small and big businesses. It is developed, marketed and supported by
MySQL AB, a Swedish company. It is written in C and C++.
PHP MySQL Connect
Since PHP 5.5, mysql_connect() extension is deprecated. Now it is recommended to use one
of the 2 alternatives.
o mysqli_connect()
o PDO::__construct()
PHP mysqli_connect()
PHP mysqli_connect() function is used to connect with MySQL database. It
returns resource if connection is established or null.
Syntax
resource mysqli_connect (server, username, password)
PHP mysqli_close()
PHP mysqli_close() function is used to disconnect with MySQL database. It returns true if
connection is closed or false.
Syntax
bool mysqli_close(resource $resource_link)
PHP MySQL Connect Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$conn = mysqli_connect($host, $user, $pass);
if(! $conn )
{
die('Could not connect: ' . mysqli_error());
}
echo 'Connected successfully';
mysqli_close($conn);
?>
Output:
Connected successfully
PHP MySQL Create Database
Since PHP 4.3, mysql_create_db() function is deprecated. Now it is recommended to use one
of the 2 alternatives.
o mysqli_query()
o PDO::__query()
PHP MySQLi Create Database Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$conn = mysqli_connect($host, $user, $pass);
if(! $conn )
{
die('Could not connect: ' . mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$sql = 'CREATE Database mydb';


if(mysqli_query( $conn,$sql)){
echo "Database mydb created successfully.";
}else{
echo "Sorry, database creation failed ".mysqli_error($conn);
}
mysqli_close($conn);
?>
Output:
Connected successfully
Database mydb created successfully.
PHP MySQL Create Table
PHP mysql_query() function is used to create table. Since PHP 5.5, mysql_query() function
is deprecated. Now it is recommended to use one of the 2 alternatives.
o mysqli_query()
o PDO::__query()
PHP MySQLi Create Table Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$dbname = 'test';

$conn = mysqli_connect($host, $user, $pass,$dbname);


if(!$conn){
die('Could not connect: '.mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$sql = "create table emp5(id INT AUTO_INCREMENT,name VARCHAR(20) NOT NULL,

emp_salary INT NOT NULL,primary key (id))";


if(mysqli_query($conn, $sql)){
echo "Table emp5 created successfully";
}else{
echo "Could not create table: ". mysqli_error($conn);
}

mysqli_close($conn);
?>
Output:
Connected successfully
Table emp5 created successfully
PHP MySQL Insert Record
PHP mysql_query() function is used to insert record in a table. Since PHP
5.5, mysql_query() function is deprecated. Now it is recommended to use one of the 2
alternatives.
o mysqli_query()
o PDO::__query()
PHP MySQLi Insert Record Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$dbname = 'test';

$conn = mysqli_connect($host, $user, $pass,$dbname);


if(!$conn){
die('Could not connect: '.mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$sql = 'INSERT INTO emp4(name,salary) VALUES ("sonoo", 9000)';


if(mysqli_query($conn, $sql)){
echo "Record inserted successfully";
}else{
echo "Could not insert record: ". mysqli_error($conn);
}

mysqli_close($conn);
?>
Output:
Connected successfully
Record inserted successfully
PHP MySQL Update Record
PHP mysql_query() function is used to update record in a table. Since PHP
5.5, mysql_query() function is deprecated. Now it is recommended to use one of the 2
alternatives.
o mysqli_query()
o PDO::__query()
PHP MySQLi Update Record Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$dbname = 'test';

$conn = mysqli_connect($host, $user, $pass,$dbname);


if(!$conn){
die('Could not connect: '.mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$id=2;
$name="Rahul";
$salary=80000;
$sql = "update emp4 set name=\"$name\", salary=$salary where id=$id";
if(mysqli_query($conn, $sql)){
echo "Record updated successfully";
}else{
echo "Could not update record: ". mysqli_error($conn);
}

mysqli_close($conn);
?>
Output:
Connected successfully
Record updated successfully
PHP MySQL Delete Record
PHP mysql_query() function is used to delete record in a table. Since PHP
5.5, mysql_query() function is deprecated. Now it is recommended to use one of the 2
alternatives.
o mysqli_query()
o PDO::__query()
PHP MySQLi Delete Record Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$dbname = 'test';

$conn = mysqli_connect($host, $user, $pass,$dbname);


if(!$conn){
die('Could not connect: '.mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$id=2;
$sql = "delete from emp4 where id=$id";
if(mysqli_query($conn, $sql)){
echo "Record deleted successfully";
}else{
echo "Could not deleted record: ". mysqli_error($conn);
}

mysqli_close($conn);
?>
Output:
Connected successfully
Record deleted successfully
PHP MySQL Select Query
PHP mysql_query() function is used to execute select query. Since PHP
5.5, mysql_query() function is deprecated. Now it is recommended to use one of the 2
alternatives.
o mysqli_query()
o PDO::__query()
There are two other MySQLi functions used in select query.
o mysqli_num_rows(mysqli_result $result): returns number of rows.
o mysqli_fetch_assoc(mysqli_result $result): returns row as an associative array. Each
key of the array represents the column name of the table. It return NULL if there are no
more rows.
PHP MySQLi Select Query Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$dbname = 'test';
$conn = mysqli_connect($host, $user, $pass,$dbname);
if(!$conn){
die('Could not connect: '.mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$sql = 'SELECT * FROM emp4';


$retval=mysqli_query($conn, $sql);
if(mysqli_num_rows($retval) > 0){
while($row = mysqli_fetch_assoc($retval)){
echo "EMP ID :{$row['id']} <br> ".
"EMP NAME : {$row['name']} <br> ".
"EMP SALARY : {$row['salary']} <br> ".
"--------------------------------<br>";
} //end of while
}else{
echo "0 results";
}
mysqli_close($conn);
?>
Output:
Connected successfully
EMP ID :1
EMP NAME : ratan
EMP SALARY : 9000
--------------------------------
EMP ID :2
EMP NAME : karan
EMP SALARY : 40000
--------------------------------
EMP ID :3
EMP NAME : jai
EMP SALARY : 90000
--------------------------------
PHP MySQL Order By
PHP mysql_query() function is used to execute select query with order by clause. Since PHP
5.5, mysql_query() function is deprecated. Now it is recommended to use one of the 2
alternatives.
o mysqli_query()
o PDO::__query()
The order by clause is used to fetch data in ascending order or descending order on the basis
of column.
Let's see the query to select data from emp4 table in ascending order on the basis of name
column.
SELECT * FROM emp4 order by name
Let's see the query to select data from emp4 table in descending order on the basis of name
column.
SELECT * FROM emp4 order by name desc
PHP MySQLi Order by Example
Example
<?php
$host = 'localhost:3306';
$user = '';
$pass = '';
$dbname = 'test';
$conn = mysqli_connect($host, $user, $pass,$dbname);
if(!$conn){
die('Could not connect: '.mysqli_connect_error());
}
echo 'Connected successfully<br/>';

$sql = 'SELECT * FROM emp4 order by name';


$retval=mysqli_query($conn, $sql);

if(mysqli_num_rows($retval) > 0){


while($row = mysqli_fetch_assoc($retval)){
echo "EMP ID :{$row['id']} <br> ".
"EMP NAME : {$row['name']} <br> ".
"EMP SALARY : {$row['salary']} <br> ".
"--------------------------------<br>";
} //end of while
}else{
echo "0 results";
}
mysqli_close($conn);
?>
Output:
Connected successfully
EMP ID :3
EMP NAME : jai
EMP SALARY : 90000
--------------------------------
EMP ID :2
EMP NAME : karan
EMP SALARY : 40000
--------------------------------
EMP ID :1
EMP NAME : ratan
EMP SALARY : 9000
--------------------------------
MySQL JOINS
MySQL JOINS are used with SELECT statement. It is used to retrieve data from multiple
tables. It is performed whenever you need to fetch records from two or more tables.
There are three types of MySQL joins:
o MySQL INNER JOIN (or sometimes called simple join)
o MySQL LEFT OUTER JOIN (or sometimes called LEFT JOIN)
o MySQL RIGHT OUTER JOIN (or sometimes called RIGHT JOIN)
MySQL Inner JOIN (Simple Join)
The MySQL INNER JOIN is used to return all rows from multiple tables where the join
condition is satisfied. It is the most common type of join.
Syntax:
SELECT columns
FROM table1
INNER JOIN table2
ON table1.column = table2.column;
Image representation:

Let's take an example:


Consider two tables "officers" and "students", having the following data.

Execute the following query:


SELECT officers.officer_name, officers.address, students.course_name
FROM officers
INNER JOIN students
ON officers.officer_id = students.student_id;
Output:
MySQL Left Outer Join
The LEFT OUTER JOIN returns all rows from the left hand table specified in the ON condition
and only those rows from the other table where the join condition is fulfilled.
Syntax:
SELECT columns
FROM table1
LEFT [OUTER] JOIN table2
ON table1.column = table2.column;
Image representation:

Let's take an example:


Consider two tables "officers" and "students", having the following data.
Execute the following query:
SELECT officers.officer_name, officers.address, students.course_name
FROM officers
LEFT JOIN students
ON officers.officer_id = students.student_id;
Output:

MySQL Right Outer Join


The MySQL Right Outer Join returns all rows from the RIGHT-hand table specified in the ON
condition and only those rows from the other table where he join condition is fulfilled.
Syntax:
SELECT columns
FROM table1
RIGHT [OUTER] JOIN table2
ON table1.column = table2.column;
Image representation:

Let's take an example:


Consider two tables "officers" and "students", having the following data.

Execute the following query:


SELECT officers.officer_name, officers.address, students.course_name, students.student_na
me
FROM officers
RIGHT JOIN students
ON officers.officer_id = students.student_id;
Output:

MySQL aggregate functions


There are various aggregate functions that can be used with SELECT statement. A list of
commonly used aggregate functions are given below.
Aggregate Function Description

count() returns the count of expression.

sum() returns the total summed value of expression.

avg() returns the average value of expression.

min() returns the minimum value of expression.

max() returns the maximum value of expression.

first returns the first value of expression.

last returns the last value of expression.


MySQL count() Function
The MySQL count() function is used to return the count of an expression. It is used when you
need to count some records of your table.
Syntax:
SELECT COUNT (aggregate_expression)
FROM table_name
[WHERE conditions];
Parameter explanation
aggregate_expression: It specifies the column or expression whose NON-NULL values will
be counted.
table_name: It specifies the tables, from where you want to retrieve records. There must be at
least one table listed in the FROM clause.
WHERE conditions: It is optional. It specifies the conditions that must be fulfilled for the
records to be selected.
MySQL count() function example
Consider a table named "officers", having the following data.
Execute the following query:
SELECT COUNT(officer_name)
FROM officers;
Output:

Here, you can see that that the COUNT function calculates the total number of officers in the
table.
MySQL sum() function
The MySQL sum() function is used to return the total summed value of an expression.
Syntax:
SELECT SUM(aggregate_expression)
FROM tables
[WHERE conditions];
Parameter explanation
aggregate_expression: It specifies the column or expression that will be summed.
table_name: It specifies the tables, from where you want to retrieve records. There must be at
least one table listed in the FROM clause.
WHERE conditions: It is optional. It specifies the conditions that must be fulfilled for the
records to be selected.
MySQL sum() function example
Consider a table named "employees", having the following data.

Execute the following query:


SELECT SUM (working_hours) AS "Total working hours"
FROM employees
WHERE working_hours > 5;
Output:

MySQL avg() function


The MySQL avg() function is used to return the average value of an expression.
Syntax:
SELECT AVG(aggregate_expression)
FROM tables
[WHERE conditions];
Parameter explanation
aggregate_expression: It specifies the column or expression that will be averaged.
table_name: It specifies the tables, from where you want to retrieve records. There must be at
least one table listed in the FROM clause.
WHERE conditions: It is optional. It specifies the conditions that must be fulfilled for the
records to be selected.
MySQL avg() function example
Consider a table named "employees", having the following data.

Execute the following query:


SELECT AVG(working_hours) AS "Avg working hours"
FROM employees
WHERE working_hours > 5;
Output:
MySQL min() function
The MySQL min() function is used to return the minimum value from the table.
Syntax:
SELECT MIN (aggregate_expression)
FROM tables
[WHERE conditions];
Parameter explanation
aggregate_expression: It specifies the column or expression, from which the minimum value
will be returned.
table_name: It specifies the tables, from where you want to retrieve records. There must be at
least one table listed in the FROM clause.
WHERE conditions: It is optional. It specifies the conditions that must be fulfilled for the
records to be selected.
MySQL min() function example
Consider a table named "employees", having the following data.
Execute the following query:
SELECT MIN (working_hours) AS "Minimum working hours"
FROM employees;
Output:

MySQL max() function


The MySQL max() function is used to return the maximum value of an expression. It is used
when you need to get the maximum value from your table.
Syntax:
SELECT MAX(aggregate_expression)
FROM tables
[WHERE conditions];
Parameter explanation
aggregate_expression: It specifies the column or expression, from which the maximum value
will be returned.
table_name: It specifies the tables, from where you want to retrieve records. There must be at
least one table listed in the FROM clause.
WHERE conditions: It is optional. It specifies the conditions that must be fulfilled for the
records to be selected.
MySQL max() function example
Consider a table named "employees", having the following data.

Execute the following query:


SELECT MAX (working_hours) AS "Maximum working hours"
FROM employees;
Output:

MySQL first function


The MySQL first function is used to return the first value of the selected column. Here, we use
limit clause to select first record or more.
Syntax:
SELECT column_name
FROM table_name
LIMIT 1;
MySQL first function example
To SELECT FIRST element:
Consider a table named "officers", having the following data.

Execute the following query:


SELECT officer_name
FROM officers
LIMIT 1;
Output:

To SELECT FIRST two records


SELECT officer_name
FROM officers
LIMIT 2;
Output:

MySQL last function


MySQL last function is used to return the last value of the selected column.
Syntax:
SELECT column_name
FROM table_name
ORDER BY column_name DESC
LIMIT 1;
MySQL last function example
Consider a table "officers" having the following data.

Execute the following query:


SELECT officer_name
FROM officers
ORDER BY officer_id DESC
LIMIT 1;
This query will return the last officer_name ordering by officer_id.
Output:

Return the last officer_name ordering by officer_name:


SELECT officer_name
FROM officers
ORDER BY officer_name DESC
LIMIT 1;
Output:

You might also like