Programming in PHP
Programming in PHP
Y.J.M.SHERIF M.Tech(CSE).,
        Head of the Department,
DEPARTMENT OF COMPUTER APPLICATIONS
Page | 1
          1
III BCA-16SCCCA6                                                                    Programming in PHP
CORE COURSE IX
PROGRAMMING IN PHP
  Unit I
Essentials of PHP - Operators and Flow Control - Strings and Arrays.
Unit II
Creating Functions - Reading Data in Web Pages - PHP Browser - Handling Power.
Unit III
Unit IV
Unit V
       •   Performance -Scripts written in PHP execute faster than those written in other
           scripting languages.
       •   Portability- PHP is available for UNIX, Microsoft Windows, Mac OS, and OS/2, and PHP
           programs are portable between platforms. This ability to easily undertake cross-
           platform development which is a valuable one.
       •   Third-Party Application Support- One of PHP’s strengths has historically been its
           support for a wide range of different databases, including MySQL, PostgreSQL, Oracle,
           and Microsoft SQL Server.
       •   PHP’s extensible architecture allows developers to read and write the GIF, JPEG, and
           PNG image formats; send and receive e-mail using the SMTP, IMAP, and POP3
           protocols; interface with Web services using the SOAP and REST protocols; validate
           input using Perl regular expressions; and create and manipulate PDF documents.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                                   Programming in PHP
   Basic PHP Syntax or Creating Your First PHP Script or Creating Your First PHP page
         A PHP script is executed on the server, and the plain HTML result is sent back to the
   browser.
         A PHP script can be placed anywhere in the document.
         A PHP script starts with <?php and ends with ?>
         <?php // PHP code goes here ?>
         The default file extension for PHP files is ".php". Example
   <html>
   <body>
   <h1>My first PHP page</h1>
   <?php echo "Hello
   World!";
   ?>
   </body> </html>
   Output
   My first PHP page Hello
   World!
   Comments in PHP
          A comment in PHP code is a line that is not executed as part of the program. Its only
   purpose is to be read by someone who is looking at the code.
   PHP supports several ways of commenting:
   <html>
   <body>
   <?php
   // This is a single-line comment
   /*
   This is a multiple-lines comment block
   that spans over multiple lines
   */
   // You can also use comments to leave out parts of a code line
   $x = 5 /* + 15 */ +
   5; echo $x; ?>
   </body>
   </html>
   Output
10
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                               PROGRAMMING IN PHP
   In the example below, all three echo statements below are legal:
   <html>
   <body>
   <?php
   ECHO "Hello World!<br>";
   echo "Hello World!<br>";
   EcHo "Hello World!<br>";
   ?>
   </body>
   </html> Output
   Hello World!
   Hello World!
   Hello World!
            PHP whitespace insensitive means that it almost never matters how many whitespace
    characters you have in a row.one whitespace character is the same as many such characters.
   Output
   My car is red
   My house is
   My boat is
            The smallest building blocks of PHP are the individual tokens, such as numbers , strings ,
    variables ($two), constants (TRUE), and the special words that make up the syntax of PHP itself
    like if, else, while, for and etc.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                                 Programming in PHP
   Running PHPScriptfromCommandPrompt
                   We can run our PHP script on our command prompt. Assuming you have following
    content in test.php file
   <?php
   echo"Hello PHP!!!!!";
   ?>
    Now run this script as command prompt as follows −
   $ phptest.php
    It will produce the following result −
   Hello PHP!!!!!
   Escaping Special Characters
            If you simply enclose one set of quotation marks within another, PHP will get confused
   about which quotation marks are to be printed literally, and which ones are simply used to
   enclose the string value, and will generate a parser error Therefore, to handle these situations,
   PHP allows you to escape certain characters by preceding them with a backslash (\). There so-
   called escape sequences include
   Sequence                What It Represents
       \n                  a line feed character
       \t                  a tab
        \r                 a carriage return
        \"                 a double quotation mark
        \'                  a single quotation mark
         \\                a single \
         \$               a single $ sign
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                              PROGRAMMING IN PHP
   <?php
   echo "<h2>PHP is Fun!</h2>";
   echo "Hello world!<br>"; echo "I'm
   about to learn PHP!<br>";
   echo "This ", "string ", "was ", "made ", "with multiple parameters.";
   ?> Output
   PHP is Fun!
   Hello world!
   I'm about to learn PHP!
   This string was made with multiple parameters.
Output
   PHP is Fun!
   Hello world!
   I'm about to learn PHP!
Parameter Description
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                           Programming in PHP
   PHP Variables
   Variables are "containers" for storing information.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                               PROGRAMMING IN PHP
   Creating (Declaring) PHP Variables
   In PHP, a variable starts with the $ sign, followed by the name of the variable:
   <?php
   $txt = "Hello world!";
   $x = 5;
   $y = 10.5;
   ?>
   Hello world!
   5
   10.5
          After the execution of the statements above, the variable $txt will hold the value Hello
   world!, the variable$x will hold the value 5, and the variable $y will hold the value 10.5.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                                 Programming in PHP
   OUTPUT
   Variable x inside function is:
   Variable x outside function is: 5
   A variable declared within a function has a LOCAL SCOPE and can only be accessed within that
   function: <?php
   function myTest(){ $x
     = 5; // local scope
     echo "<p>Variable x inside function is: $x</p>";
   }
   myTest();
   echo "<p>Variable x outside function is: $x</p>";
   ?>
   OUTPUT
   Variable x inside function is: 5 Variable
   x outside function is:
   You can have local variables with the same name in different functions, because local variables
   are only recognized by the function in which they are declared .
   PHP The global Keyword
   The global keyword is used to access a global variable from within a function. To
   do this, use the global keyword before the variables (inside the function):
   Example
   <?php
   $x = 5; $y = 10;
   function myTest() {
   global $x, $y;
     $y = $x + $y;
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                               PROGRAMMING IN PHP
   }
   myTest();
   echo $y; // outputs 15
   ?>
OUTPUT 15
          PHP also stores all global variables in an array called $GLOBALS[index]. The index holds
   the name of the variable. This array is also accessible from within functions and can be used to
   update global variables directly.
   The example above can be rewritten like this:
   <?php
   $x = 5;
   $y = 10;
   function myTest() {
     $GLOBALS['y'] = $GLOBALS['x'] + $GLOBALS['y'];
   }
   myTest();
   echo $y; // outputs 15
   ?>
   myTest();
   myTest();
   myTest(); ?>
   Then, each time the function is called, that variable will still have the information it contained
   from the last time the function was called.
   PHP Constants
   A constant is an identifier (name) for a simple value. The value cannot be changed during the
   script.
   A valid constant name starts with a letter or underscore (no $ sign before the constant name).
    Unlike variables, constants are automatically global across the entire script.
   Create a PHP Constant
   To create a constant, use the define() function. Syntax
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                               Programming in PHP
   Parameters:
       •   name: Specifies the name of the constant
       •   value: Specifies the value of the constant
       •   case-insensitive: Specifies whether the constant name should be case-insensitive. Default
           is false
   The example below creates a constant with a case-sensitive name:
   <?php define("GREETING", "Welcome to
   MIET!"); echo GREETING;
   ?>
Welcome to MIET!
   Welcome to MIET!
   Differencesbetweenconstantsandvariablesare
       • There is no need to write a dollar sign ($) before a constant, where as in Variable one
         has to write a dollar sign.
       • Constants cannot be defined by simple assignment, they may only be defined using the
         define() function.
       • Constants may be defined and accessed anywhere without regard to variable scoping
         rules.
       • Once the Constants have been set, may not be redefined or undefined.
                                              Validandinvalidconstantnames
   // Valid constant names
   define("ONE", "first thing");
   define("TWO2", "second thing");
                                    ;
   define("THREE_3", "third thing")
   // Invalid constant names
   define("2TWO", "second thing");
   define(" THREE ", "third value");
   PHPMagicconstants
           PHP provides a large number of predefined constants to any script which it runs.
    There are five magical constants that change depending on where they are used.
            These special constants or “magical" PHP constants are case-insensitive and are as
    follows −
   Sr.No     Name & Description
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                           PROGRAMMING IN PHP
   1        __LINE__
            The current line number of the file.
   2        __FILE__
            The full path and filename of the file. If used inside an include,the name of the
            included file is returned. Since PHP 4.0.2, __FILE__always contains an absolute path
            whereas in older versions it contained relative path under some circumstances.
   3        __FUNCTION__
            The function name. (Added in PHP 4.3.0) As of PHP 5 this constant returns the
            function name as it was declared (case-sensitive). In PHP 4 its value is always
            lowercased.
   4        __CLASS__
            The class name. (Added in PHP 4.3.0) As of PHP 5 this constant returns the class
            name as it was declared (case-sensitive). In PHP 4 its value is always lowercased.
   5        __METHOD__
            The class method name. (Added in PHP 5.0.0) The method name is returned as it
            was declared (case-sensitive).
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                       PHP
   PHP
           Data Types
   Variables can store data of different types, and different data types can do different things.
   PHP supports the following data types:
       •     String
       •     Integer
       •     Float (floating point numbers - also called double)
       •     Boolean
       •     Array
       •     Object
       •     NULL
       •     Resource
   PHP String
             A string is a sequence of characters, like "Hello world!".
             A string can be any text inside quotes. You can use single or double quotes:
   <?php
   $x = "Hello world!"; $y
   = 'Hello world!';
   echo      $x;
   echo
   "<br>";
   echo $y; ?>
   Hello world!
   Hello world!
   PHP Integer
   An integer data type is a non-decimal number between -2,147,483,648 and 2,147,483,647.
   Rules for integers:
       •     An integer must have at least one digit
       •     An integer must not have a decimal point
       •     An integer can be either positive or negative
       •     Integers can be specified in three formats: decimal (10-based), hexadecimal (16-based -
             prefixed with 0x) or octal (8-based - prefixed with 0)
   In the following example $x is an integer. The PHP var_dump() function returns the data type
   and value:
   <?php $x =
   5985;
   var_dump($x);
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                              PROGRAMMING IN PHP
   PHP
   ?>
   int(5985)
        Float
   A float (floating point number) is a number with a decimal point or a number in exponential
   form.
   In the following example $x is a float.
   <?php
   $x = 10.365; var_dump($x);
   ?>
   float(10.365)
   PHP Boolean
   A Boolean represents two possible states: TRUE or FALSE. Booleans are often used in conditional
   testing
   $x = true;
   $y = false;
   PHP Array
   An array stores multiple values in one single variable.
   In the following example $cars is an array. The PHP var_dump() function returns the data type
   and value:
   <?php
   $cars = array("Volvo","BMW","Toyota"); var_dump($cars);
   ?>
array(3) { [0]=> string(5) "Volvo" [1]=> string(3) "BMW" [2]=> string(6) "Toyota" }
   PHP Object
   An object is a data type which stores data and information on how to process that data.
   In PHP, an object must be explicitly declared.
   First we must declare a class of object. For this, we use the class keyword. A class is a structure
   that can contain properties and methods:
   <?php
   class Car {
     function Car() {
       $this->model = "BMW";
     }
   }
   // create an object
   $herbie = new Car(); //
   show object properties
   echo $herbie->model;
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                       PHP
   PHP
   ?>
    OUTPUT: BMW
       NULL Value
   Null is a special data type which can have only one value: NULL.
   A variable of data type NULL is a variable that has no value assigned to it.
   If a variable is created without a value, it is automatically assigned a value of NULL.
   Variables can also be emptied by setting the value to NULL:
   <?php
   $x = "Hello world!";
   $x = null;
   var_dump($x);
   ?>
NULL
   PHP Resource
   The special resource type is not an actual data type. It is the storing of a reference to functions
   and resources external to PHP. A common example of using the resource data type is a
   database call.
   PHP String
           A string is a sequence of characters, like "Hello world!".
   PHP String Functions
                Some commonly used functions to manipulate strings are
   Get The Length of a String
   The PHP strlen() function returns the length of a string.
   The example below returns the length of the string "Hello world!":
   <?php
   echo strlen("Hello world!"); // outputs 12 ?>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA6                                                        PROGRAMMING IN PHP
   PHP
   Reverse a String
   The PHP strrev() function reverses a string:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                               Programming in PHP
   <?php
   echo strrev("Hello world!"); // outputs !dlrowolleH
   ?>
   ARRAYS
           An array stores multiple values in one single variable:
   <?php
   $cars = array("Volvo", "BMW", "Toyota");
   echo"I like " . $cars[0] . ", " . $cars[1] . " and " . $cars[2] . ".";
   ?>
   OUTPUT:
   I like Volvo, BMW and Toyota.
   What is an Array?
            An array is a special variable, which can hold more than one value at a time.
            If you have a list of items (a list of car names, for example), storing the cars in single
   variables could look like this:
   $cars1     =   "Volvo";
   $cars2 = "BMW";
   $cars3 = "Toyota";
           An array can hold many values under a single name, and you can access the values by referring
   to an index number.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                           PROGRAMMING IN PHP
   array();
   In PHP, there are three types of arrays:
       • Indexed arrays - Arrays with a numeric index
       • Associative arrays - Arrays with named keys
       • Multidimensional arrays - Arrays containing one or more arrays.
The count() function is used to return the length (the number of elements) of an array:
   <!DOCTYPE html>
   <html>
   <body>
   <?php
   $cars = array("Volvo", "BMW", "Toyota"); echo
   count($cars);
   ?>
   </body> </html>
   OUTPUT:
   3
To loop through and print all the values of an indexed array, you could use a for loop, like this:
   <!DOCTYPE html>
   <html>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                        Programming in PHP
<body>
   <?php
   $cars = array("Volvo", "BMW", "Toyota");
   $arrlength = count($cars);
   OUTPUT:
   Volvo
   BMW
   Toyota
           Associative arrays are arrays that use named keys that you assign to them.
           There are two ways to create an associative array:
   $age = array("Peter"=>"35", "Ben"=>"37", "Joe"=>"43");
   or:
   $age['Peter'] = "35";
   $age['Ben'] = "37";
   $age['Joe'] = "43";
   <!DOCTYPE html>
   <html>
   <body>
   <?php
   $age = array("Peter"=>"35", "Ben"=>"37", "Joe"=>"43");
</body> </html>
OUTPUT:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                        PROGRAMMING IN PHP
   Key=Peter, Value=35
   Key=Ben, Value=37
   Key=Joe, Value=43
   PHP understands multidimensional arrays that are two, three, four, five, or more levels deep. However,
   arrays more than three levels deep are hard to manage for most people.
   The dimension of an array indicates the number of indices you need to select an element.
      • For a two-dimensional array you need two indices to select an element
      • For a three-dimensional array you need three indices to select an element
         Now the two-dimensional $cars array contains four arrays, and it has two indices: row and
  column.
         To get access to the elements of the $cars array we must point to the two indices (row and
  column):
  Example <?php
  echo $cars[0][0].": In stock: ".$cars[0][1].", sold: ".$cars[0][2].".<br>";
  echo $cars[1][0].": In stock: ".$cars[1][1].", sold: ".$cars[1][2].".<br>";
  echo $cars[2][0].": In stock: ".$cars[2][1].", sold: ".$cars[2][2].".<br>";
  echo $cars[3][0].": In stock: ".$cars[3][1].", sold: ".$cars[3][2].".<br>";
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                          Programming in PHP
?>
   We can also put a For loop inside another For loop to get the elements of the $cars array (we still
   have to point to the two indices):
   Row number 0
       • Volvo
       • 22           18
   Row number 1
       • BMW
       • 15           13
   Row number 2
       • Saab
       • 5
       • 2
   Row number 3
       • Land Rover
       • 17
       • 15
   Numeric Array
          These arrays can store numbers, strings and any object but their index will be represented
   by numbers. By default array index starts from zero.
          Following is the example showing how to create and access numeric arrays.
          Here we have used array() function to create array. This function is explained in function
   reference.
   <html>
   <body>
   <?php
   /* First method to create array. */
        $numbers =array(1,2,3,4,5);
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                  PROGRAMMING IN PHP
          $numbers[0]="one";
          $numbers[1]="two";
          $numbers[2]="three";
          $numbers[3]="four";
          $numbers[4]="five";
      •     Arithmetic operators
      •     Assignment operators
      •     Comparison operators
      •     Increment/Decrement operators
      •     Logical operators
      •     String operators
      •     Array operators
   The PHP arithmetic operators are used with numeric values to perform common arithmetical
   operations, such as addition, subtraction, multiplication etc.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
     Operator          Name                     Example                  Result
III BCA-16SCCCA9
       +               Addition                 $x + $y                  Sum of $x and $yProgramming in PHP
x= y x= y The left operand gets set to the value of the expression on the righ
assignment operators are used with numeric values to write a value to a variable.
   The basic assignment operator in PHP is "=". It means that the left operand gets set to the value
   of the assignment expression on the right.
The PHP comparison operators are used to compare two values (number or string):
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                       PROGRAMMING IN PHP
x += y x= x+y Addition
x -= y x= x-y Subtraction
x *= y x= x*y Multiplication
x /= y x= x/y Division
x %= y x= x%y Modulus
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                                 Programming in PHP
Or Or $x or $y True if either $x or $y
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                             PROGRAMMING IN PHP
      ===               Identity          $x === $y         Returns true if $x and $y have the same key/value pairs in
                                                            same order and of the same types
       •    if...else statement - executes some code if a condition is true and another code if that
            condition is false
       •    if...elseif... else statement - executes different codes for more than two conditions switch
            statement - selects one of many blocks of code to be executed
        The if... else statement executes some code if a condition is true and another code if that
   condition is false. Syntax
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                            Programming in PHP
  if (condition) {
     code to be executed if condition is true;
  } else { code to be executed if condition is
     false;
  }
      The example below will output "Have a good day!" if the current time is less than 20, and "Have
  a good night!" otherwise:
   <?php
  $t = date("H");
The if ...elseif. else statement executes different codes for more than two conditions.
  Syntax
  if (condition) { code to be executed if this
     condition is true;
  } elseif (condition) { code to be executed if
     this condition is true;
  } else { code to be executed if all conditions are
     false;
  }
   The example below will output "Have a good morning!" if the current time is less than 10, and
   "Have a good day!" if the current time is less than 20. Otherwise it will output "Have a good
   night!":
   <?php
   $t = date("H");
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                         PROGRAMMING IN PHP
   ?>
   Output
   The hour (of the server) is 13, and will give the following message:
    Have a good day!
Switch Statement
           The switch statement is used to perform different actions based on different conditions.Use
   the switch statement to select one of many blocks of code to be executed.
   If there is a match, the block of code associated with that case is executed. Use break to
   prevent the code from running into the next case automatically. The default statement is used
   if no match is found.
   <?php
   $favcolor = "red";
   switch ($favcolor) {
     case "red": echo "Your favorite
       color is red!"; break;
     case "blue": echo "Your favorite
       color is blue!"; break;
     case "green":
       echo "Your favorite color is green!"; break;
     default:
       echo "Your favorite color is neither red, blue, nor green!";
   }
   ?>
   Output:
   Your favorite color is red!
  PHP Loops
          Often when you write code, you want the same block of code to run over and over
   again in a row. Instead of adding several almost equal code-lines in a script, we can use loops
   to perform a task like this.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                             Programming in PHP
       •     while - loops through a block of code as long as the specified condition is true
       •     do...while - loops through a block of code once, and then repeats the loop as long as the specified
             condition is true
       •     for - loops through a block of code a specified number of times
       •     foreach - loops through a block of code for each element in an array
  Syntax
  while (condition is true) {
    code to be executed;
  }
   The example below first sets a variable $x to 1 ($x = 1). Then, the while loop will continue to run
   as long as $x is less than, or equal to 5 ($x <= 5). $x will increase by 1 each time the loop runs
   ($x++):
   <?php
   $x = 1;
   while($x <= 3) {
     echo "The number is: $x <br>";
     $x++;
   }
   ?> Output:
   The number is: 1
   The number is: 2
   The number is: 3
       The do...while loop will always execute the block of code once, it will then check the condition,
   and repeat the loop while the specified condition is true.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                           PROGRAMMING IN PHP
  Syntax
  do {
    code to be executed; }
  while (condition is true);
         The example below first sets a variable $x to 1 ($x = 1). Then, the do while loop will write
   some output, and then increment the variable $x with 1. Then the condition is checked (is $x
   less than, or equal to 5?), and the loop will continue to run as $x is less than, or equal to 5.
    <?php
   $x = 1;
   do {
     echo "The number is: $x <br>";
     $x++;
   } while ($x <= 5);
   ?>
Output:
   <html>
   <body>
   <?php
   for ($x = 0; $x <= 5; $x++) {
   echo "The number is: $x <br>";
   }
   ?>
   </body>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
III BCA-16SCCCA9                                                                          Programming in PHP
   </html>
   Output
   The number is: 0
   The number is: 1
   The number is: 2
   The number is: 3
   The number is: 4
   The number is: 5
           The foreach loop works only on arrays, and is used to loop through each
  key/value pair in an array.
  Syntax
  foreach ($array as $value) {
    code to be executed;
  }
               For every loop iteration, the value of the current array element is assigned to $value
   and the array pointer is moved by one, until it reaches the last array element.
            The following example demonstrates a loop that will output the values of the given
   array ($colors):
  <html>
  <body>
  <?php
  $colors = array("red", "green", "blue", "yellow");
  </body>
  </html>
Output:
  red green
  blue
  yellow
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
UNIT-II
What is a Function?
     ➢ In PHP there are thousands of built-in functions which we can directly use
       in our program.
       Example: var_dump, fopen(), print_r(), gettype() and so on.
     ➢ PHP also supports user defined functions, where we can define our own
       functions.
Advantage of PHP Functions
  Code Reusability: PHP functions are defined only once and can be invoked many
  times.
  Less Code: It saves a lot of code because you don't need to write the logic many
  times.
  Easy to understand: PHP functions separate the programming logic. So it is
  easier to understand the flow of the application.
Syntax                function
   functionName()
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
  { code            to    be
   executed;
  }
Program:
  <html>
  <body>
  <?php
  function hello() // called function
  { echo "Hello
    world!";
  }
  hello(); // calling function
  ?>
  </body>
  </html>
Output:
  Hello world!
PHP Function Arguments or Parmeters
     ➢ Information can be passed to functions through arguments. An argument is
       just like a variable.
     ➢ Arguments are specified after the function name, inside the parentheses. You
       can add as many arguments as you want, just separate them with a comma.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
          <?php      function
            sum($a)
          {
              $a+=1; echo "sum inside function=".
            $a."<br/>"; }
            $a=5;
            calculate($a);
            echo "sum outside function=". $a;
          ?> Output:
          sum inside function=6
          sum outside function= 5
  A function can return a value using the return statement in conjunction. Return
  sends the value back to the calling code.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
  <?php function add($a,
      $b)
         {
         $c=$a+$b;
         return $c;
       }
       $sum= add(10, 20); echo
             "sum=” .$sum;
     ?>
  Output:
  Sum=30
           While calling PHP function if you don't specify any argument, it will
  take the default argument. <?php
          function Hello($name="JACK")
          {
          }
          Hello("Rajesh");
          Hello(); //passing no value
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
          Hello("John");
          ?>
          OUTPUT
   Hello Rajesh
   Hello JACK
   Hello John
  <?php
  function Hello($name="JACK")
  {
  echo "Hello $name<br/>";
  }
  Hello("");//passing no value
  ?>
OUTPUT
Hello JACK
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                 PROGRAMMING IN PHP
          OUTPUT:
          120
                  An HTML form is used to collect user input. The user input is most often sentto a
          server for processing.
      •    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 issecured.
      •    You can send large amount of data through post request.
   When the user fills out the form above and clicks the submit button, the form
   data is sent for processing to a PHP file named "welcome.php". The form data
   is sent with the HTTP GET method.
Welcome.php
   <?php
   $name=$_GET["name"];//receiving name field value in $name variable
   $age=$_GET["age"]; echo "Welcome
   $name"."<br>"."$age";
   ?> Output:
The <input> tag specifies an input field where the user can enter data.The
   The <input> element can be displayed in several ways, depending on the type attribute.The
   different input types are as follows:
  text
                Defines a one-line text input field
  textarea
                Defines a multi-line text input field
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                                         PROGRAMMING IN PHP
     button         Defines a simple push button, which can be programmed to perform a task on an event.
  file
                    Defines to select the file from device storage.
                    A hidden field let web developers include data that cannot be seen or modified by users when aform is submitted.
     hidden
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
  Class: <input type="checkbox" name="check" value="I">I
  <input type="checkbox" name="check" value="II">II
  <input type="checkbox" name="check" value="III">III
  <br><br>
  Select your favourite subject :
  <select name="subject">
  <option></option>
  <option> C</option>
  <option> C++</option>
  <option> Java</option>
  <option> DataBase</option>
  <option> No answer</option>
  </select>
  <br><br>
  <input type="submit" value="submit">
  <br><br>
  <input type="reset" value="reset">
  </form>
  </body>
  </html>
  File: webpage.php
  <html>
  <body> <?php echo "Welcome!" . $_POST
  ["Name"];echo
  "<br>"; echo " You have entered these
  values";echo
  "<br>"; echo "Email:". $_POST
  ["Email"];echo
  "<br>";     echo    "Address:".  $_POST
  ["address"];echo
  "<br>"; echo "Gender:". $_POST
  ["radio1"];echo
  "<br>"; echo "Class:". $_POST
  ["check"];echo
  "<br>"; echo "Subject interested:". $_POST
  ["subject"];echo
  "<br>";
  ?>
  </body>
   </html>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
   Output:
PASSWORD CONTROLS
  File: pass.html
  <form action="pass.php" method="post">
  Name: <input type="text" name="name"/> <br>
  Password: <input type="password" name="password"/><br> <tr><td
  colspan="2"><input type="submit" value="login"/> </form>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
File: pass.php
   <?php
   $name=$_POST["name"];//receiving name field value in $name variable
   $password=$_POST["password"];//receiving password field value in
   $passwr d variable
    echo "Welcome: $name, your password is: $password"; ?>
Output:
               ➢   $GLOBALS
               ➢   $_SERVER
               ➢   $_REQUEST
               ➢   $_POST
               ➢   $_GET
               ➢   $_FILES
               ➢   $_COOKIE
               ➢   $_SESSION
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                PROGRAMMING IN PHP
      PHP
  1.       $GLOBALS
         $GLOBALS is a PHP super global variable which is used to access global variablesfrom
   anywhere in the PHP script (also from within functions or methods).
           PHP stores all global variables in an array called $GLOBALS[index]. The index holdsthe name
   of the variable.
The example below shows how to use the super global variable $GLOBALS:
   <?php
   $x = 75; $y = 25;
   function addition() {
     $GLOBALS['z'] = $GLOBALS['x'] + $GLOBALS['y'];
   }
    addition();
   echo $z;
   ?>
Output:
100
2. PHP $_REQUEST
   eg.html
   <html>
   <body>
   <form action="welcome.php" method="get">
   Name: <input type="text" name="name"><br>
   <input type="submit" value="submit">
   </form>
   </body>
   </html>
   Welcome.php
   <?php
   $name=$_REQUEST["name"];//receiving name field value in $name variableecho
   "Welcome $name"."<br>"."$age"; ?>
  3.     $_POST
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                PROGRAMMING IN PHP
      PHP
   PHP $_POST is widely used to collect form data after submitting an HTML form withmethod="post".
    $_POST is also widely used to pass variables.
   eg.html
   <html>
   <body>
   <form action="welcome.php" method="post">
   Name: <input type="text" name="name"><br>
   <input type="submit" value="submit">
   </form>
   </body>
   </html>
   Welcome.php
   <?php
   $name=$_POST["name"];//receiving name field value in $name variableecho
   "Welcome $name"."<br>"."$age";
   ?>
4. PHP $_GET
PHP $_GET can also be used to collect form data after submitting an HTML form with method="get".
eg.html
  <html>
  <body>
  <form action="welcome.php" method="post">
  Name: <input type="text" name="name"><br>
  <input type="submit" value="submit">
  </form>
  </body>
  </html>
Welcome.php
  <?php
  $name=$_POST["name"];//receiving name field value in $name variableecho
  "Welcome $name"."<br>"."$age"; ?>
 5.     $_SERVER
      ➢ $_SERVER is a PHP super global variable which holds information about headers,
         paths, and script locations.
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                   PROGRAMMING IN PHP
      PHP
   The following table lists the most important elements that can go inside $_SERVER:
Element/Code                                     Description
    $_SERVER['PHP_SELF']                  Returns the filename of the currently executing script
   $_SERVER['SERVER_ADDR']                Returns the IP address of the host server
      $_SERVER['SERVER_NAME']                Returns the name of the host server (such as
                                           www.w3schools.com)
        $_SERVER['SERVER_SOFTWARE'] Returns the server identification string (such as
                                                   Apache/2.2.24)
    $_SERVER['SERVER_PROTOCOL'] Returns the name and revision of the information protocol
                                          (such as HTTP/1.1)
   $_SERVER['REQUEST_METHOD']             Returns the request method used to access the page
    (such as POST)
    $_SERVER['HTTP_ACCEPT']               Returns the Accept header from the current request
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                             PROGRAMMING IN PHP
   </form>
   </body> </html>
  File: phpbrowser.php
   <html>
   <body> <?php echo "File Name: ".
   $_SERVER['PHP_SELF'];echo
   "<br>";       echo          "Server        Name:         ".
   $_SERVER['SERVER_NAME'];echo
   "<br>";
   echo "Host Name: ". $_SERVER['HTTP_HOST']; echo "<br>";
   echo "URL: ". $_SERVER['HTTP_REFERER']; echo "<br>"; echo
   "Request Method: ". $_SERVER['REQUEST_METHOD'];echo
   "<br>";    echo       "Data        Transfered:   ".'\t'.
   $_REQUEST['stud'];echo
   "<br>";
   echo "Server Software: ". '\t'. $_SERVER['SERVER_SOFTWARE'];
   ?>
   </body>
   </html>
File: redirect.html
    <html>
    <body>
    <form action="redirect.php" method="post">
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                              PROGRAMMING IN PHP
   Hello Welcome
   <input type="submit" value="click"> here
    </body> </html>
Redirect.php
   Use the PHP header() function to redirect a user to a different page.
   Here when click submit button the page will be redirected to redirect1.php file.
   <html>
   <body> <?php
   echo "welcome";
   header("Location: http://localhost:8080/arp/redirect1.php"); /* Redirect browser */ ?>
   </body>
   </html> redirect1.php <?php echo
"good morning","<br>"; echo " you
have been redirected";
   ?>
  Output:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                             PRO
    <?php
     if(strcmp($_SERVER["HTTP_USER_AGENT"],"MSIE"))
    {
    echo "Internet Explorer";
    }
    else if(strcmp($_SERVER["HTTP_USER_AGENT"]," GOOGLE CHROME"))
    {
    echo "Google Chrome";
    }
    else if(strcmp($_SERVER["HTTP_USER_AGENT"],"MOZILA"))
    {
    echo"FIREF
    OX";
    } else
    {
    echo "OTHER";
    }?
    OUTPUT:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                     PRO
                                                  UNIT- III
                                      Object Oriented Programming in PHP
        •    Class – A class is a user-defined data type, which includes local methods and local
             variables.
                    A class may be a template for making many instances of the same kind ofobject.
        •    Object − An object is an instance of class. This means that an object is created from the
             definition of the class and it is loaded in memory.
                    You define a class once and then make many objects that belong to it.
        •    Inheritance −When the properties and the methods of a class are accessed by another
             class is called inheritance. Here child class will inherit all or few member functions and
             variables of a parent class.
        •    Polymorphism − This is an object oriented concept where same function can be used
             for different purposes. For example function name will remain same but it take different
             number of arguments and can do different task.
        •    Constructor − refers to a special type of function which will be called automatically
             whenever there is an object formation from a class.
        •    Destructor − refers to a special type of function which will be called automatically
             whenever an object is deleted or goes out of scope.
 Class and Object
                    In PHP, declare a class using the class keyword, followed by the name of theclass and a
                    set of curly braces {}.
   Syntax:
             <?php
             Class classname
                {
                      Data members;
                      Methods;
              }
             ?>
            Objects of a class is created using the new keyword and object name should startwith $
    symbol. Her “new” is an operator which is responsible for creating new instance (space for
    object) of a class.
   Syntax:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                     PRO
                    $objectjname = new classname();
                    Example:
                    <?php class
                    demo
                    {
                         $a= "hello"; function
                         display()
                         {
                         echo $this->a;
                         }
                    }
                    $obj = new demo(); //instatination of object
                      $obj->display();
                    ?>
  Output:
            Hello
            Here demo is class which contains $a-data member and one method display() .
           The $this keyword indicates that we use the class's own methods and properties,and allows
   us to have access to them within the class's scope.
           $this ->datamember;
           $this ->methodName();
            $obj is an object created for class demo and call data member and methods.
     PHP ACCESS SPECIFIERS
                    Access Specifiers in a class are used to specify the accessibility to the class
                    members. That is, it sets some restrictions on the class members not to get directly
                    accessed by the outside functions.
There are 3 types of Access Specifiers in PHP, Public, Private and Protected.
  Public Access
           Class members with this access specifier will be publicly accessible from anywhere,even from
   outside the scope of the class.
                    <?php class
                    demo
                    {
                    public $name="Ajeet";
                    function display()
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                  PRO
                   {
                   echo $this->name;
                   }
                   }
                   class child extends demo
                   {
                   function show()
                   {
                   echo $this->name;
                   }
                   }
                   $obj= new child;
                   echo          $obj-
                   >name;        $obj-
                   >display();
                   $obj->show();
                   ?>
   Output:
   Ajeet
   Ajeet
   Ajeet Here member and function are all given with public access specifier. So they can be
Private Access
            Class members with this keyword will be accessed within the class itself. It protectsmembers from
    outside class access with the reference of the class instance.
            <?php
            Class Person
            {
            Private $name="Sam"; private
            function show()
            {
            echo "This is private method of parent class";
            }
            }
            class Friend extends Person
            {
            function show1()
            {
            echo $this->name;
            }
            }
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                  PRO
            $obj= new Friend;
          $obj->show();
          $obj->show1();
          ?>
         Here both member and function are given private specifier , we are not ableaccess
  them through derived class. So we get fatal error.
Protected Access
          <?php
          ClassPerson
          {
          protected $x=500;
          protected $y=100;
          function add()
          {
          echo $sum=$this->x+$this->y."<br/>";
          }
             }
          classFriend extends Person
          {
          function sub()
          {
          echo $sub=$this->x-$this->y."<br/>";
          }
          }
          $obj= new child;
          $obj->add();
          $obj->sub();
?>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                                  PRO
    Constuctor
                      ▪   A constructor is a special function which will be called automatically
                          whenever object is created .
                      ▪   Constructors have a special name in PHP using "__construct" or same
                          name as class name.
 Destructor           ▪   The construct function starts with two underscores ( ).
 OUTPUT:
          9 destroy the object
Inheritance
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                 PRO
                ✓ If we inherit the class features into another class, we can access both class
                  properties. We can extends the features of a class by using 'extends' keyword.
                ✓ The base class is original class and derived class is another class which uses the
                  property of another class.
                ✓ PHP supports only single inheritance, where only one class can be derived from
                   single parent class.
                ✓ We can simulate multiple inheritance by using interfaces.
                          <?php class
                          a
                              {
                                  function show()
                                  {
                                      echo "welcome";
                                  }
                              }
                              class b extends a
                              {
                                  Functiondisplay()
                                  {
                                echo "<br>";
                          echo "Trichy";
                              }
                            }
                              $obj= new b();
                            $obj->show();
                           $obj->display();
                          ?>
            OUTPUT:
            welcome
            Trichy
                           ✓ Here a is base class and b is derived class.
                           ✓ Object only created for derived class b.
                           ✓ Both methods are called by single object
                $obj.   Constructor and Inheritance
           PHP allows constructor usage along with Inheritance.
    <?php class demo
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                                       PRO
      {
  public function demo() //constructor because same name as class
        {
  echo "constructor1...";
        }
      }
            <?php class
            a
               {
            function show()
                 {
            echo "welcome";
                 }
               }
            class b extends a
               {
                 Function show()
                 {
            echo       "<br>";
            echo "Trichy";
                 }
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
   III BSC CS                                                                                 PRO
            }
            $obj= new b();
            $obj->show();
          ?>
          OUTPUT:
          Trichy
                ✓ Here both a (base class) and b (derived class) have same function show() with
                  same signature.
                ✓ Whenever the object is created , the method in derived class will be called and
                  executed. The show() function in base class will not be called.This is called
                  method overriding.
                ✓ Therefore Welcome wont be printed.
     The final Keyword
                   <?php
                    class a
                      {
                   final function show()
                        {
                   echo "welcome";
                        }
                      }
                   class b extends a
                      {
                        Function show()
                        {
                   echo "<br>";
                   echo "Trichy";
                        }
                      }
                      $obj= new b();
                      $obj->show();
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
  III BSC CS                                                                                  PRO
              ?>
         OUTPUT:
              PHP Fatal error: Cannot override final method a::show() in
              /home/bAkPCG/prog.php on line 20
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                            PHP
 Method Overloading or Overloading method
<?php
Class shape
           {
           function call($functionname, $arguments)             // call is magic function which accepts
                                                                function name and arguments
           {
         $s = new Shape;
         echo($s->area(2)); of                // Function call for area
         circleecho "\n";
         echo ($s->area(4, 2));                 // Function call for area of rectangle
   ?>
   OUTPUT:
   12.56 8
                So here when we pass one argument area of circle is calculated. When
         twoarguments passed area of rectangle is calculated.
                                                UNIT -IV
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                PHP
                                                   COOKIES
          A cookie is a small amount of information sent from the server to client, andthen
   sent back to the server each time it is accessed by the client.
Creating cookies
secure : If set true, the cookie is available over secure connection only
Reading cookies
         To access a cookie received from a client, PHP uses super global array $_COOKIE
         []
   You can use isset() function to check if a cookie is already set or not.
   Example:
   <?php
   $college = “MIET”; setcookie(“collegename”,
   $college, time()+3600);if
   (isset($_COOKIE[‘collegename’])) echo
   “Welcome to ”.$_COOKIE[‘collegename’]; else
   echo “Sorry...”;
   ?>
   Output: Welcome
   to MIET
    DELETING COOKIES
            To delete a cookie, you simply set the value of the cookie to null, and also set the
   expiring time of the cookie in the past.
   Here’s some code to delete cookies set in the above example:
   <?php
  setcookie( “collegename”, “”, time()- 60, “/”,””, 0);
   ?>
                                                SESSIONS
   PHP session is used to store and pass information from one page to another temporarily(until
   user close the website).
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                 PHP
   PHP session creates unique user id (UID) for each browser to recognize the user andavoid
   conflict between multiple browsers.
                 Before you can store user information in your PHP session, you must first start up
   the session. Sessions in PHP are started by using the session_start( ) function.
   <?php session_start();
   ?>
sess_f1234781237468123768asjkhfa7891234g
   <?php session_start();
   echo “Usage of Session Variables”;
   $_SESSION[‘favcolor’] = ‘green’; //store session data
   $_SESSION[‘animal’] = ‘cat’; echo “Favcolor = “. $_SESSION[‘favcolor’].”<br>”;
   //retrieve session dataecho “Pet animal = “. $_SESSION[‘animal’];
   ?>
   Output:
   Usage of Session Variables
Favcolor = green
   If you wish to delete some session data, you can use the unset() or thesession_destroy()
   function.
   <?php session_start();
   session_destroy();
   ?>
The fopen function is used to open files. It has the following syntax fopen($filename,$mode,)
HERE,
File Modes
The following table shows the different modes the file may be opened in.
Mode Description
r Read Only mode, with the file pointer at the start of the file. r+
Read/Write mode, with the file pointer at the start of the file.
         w Open the file for writing only. Any existing content will be lost. If the filedoes not exist,
               PHP attempts to create it.
         w+ Open the file for WRITE/READ. Any existing content will be lost. If the filedoes not
              exist, PHP attempts to create it.
         a Append mode, with the file pointer at the end of the file. If the file doesn'texist, fopenwill
                attempt to create the file.
         a+ Read/Append, with the file pointer at the end of the file. If the file doesn'texist, fopen
                will attempt to create the file
Closing a File
fclose($fp);
   <?php
   $myfile = fopen("miet.txt", "r") or die("Unable to open file!");
   echo fread($myfile,filesize("miet.txt")); fclose($myfile); ?>
OUTPU
     T:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                         PHP
   Welcome to miet
Reading files
 1. fread() function
         The fread() function can be used to read a string of characters from a file.It takes
         two arguments: a file handle and the number of characters to read.
   The following PHP code reads the "miet.txt" file to the end:
   <?php
   $myfile = fopen( “miet.txt”, “r” ) or die("Unable to open file!");
   $data = fread( $myfile, 10 );
   echo $data; fclose($myfile);
   ?>
   This code reads the first ten characters from miet.txt and assigns them to $data as a string.
The fgets() function is used to read a single line from a file. The example
   <?php
   $myfile = fopen("miet.txt", "r") or die("Unable to open file!");
   echo fgets($myfile); fclose($myfile); ?>
OUTPU
T:
   Welcome to Miet
   PHP Check End-Of-File - feof()
The feof() function checks if the "end-of-file" (EOF) has been reached.
The feof() function is useful for looping through data of unknown length.
The example below reads the "miet.txt" file line by line, until end-of-file is reached:
   <?php
   $myfile = fopen("miet.txt", "r") or die("Unable to open file!");
   // Output one line until end-of-file while(!feof($myfile)) {
  echo fgets($myfile) . "<br>";
   }
   fclose($myfile); ?>
OUTPU
T:
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                 PHP
   Welcome to
If you want to read only one character at a time you can use the fgetc() function.The
           example below reads the "miet.txt" file character by character, until end-of-
   file is reached:
         <?php
   $myfile = fopen("miet.txt", "r") or die("Unable to open file!");
   // Output one character until end-of-file while(!feof($myfile)) {
  echo fgetc($myfile);
   }
   fclose($myfile);
   ?>
   OUTPUT:
   Welcome to Miet.
1. fwrite() function
The fwrite() function can be used to write a string of characters into a file.
   The first parameter of fwrite() contains the name of the file to write to and the second
   parameter is the string to be written.
The example below writes a couple of names into a new file called "newfile.txt"
   <?php
   $myfile = fopen("newfile.txt", "w") or die("Unable to open file!");
   $txt = "John\n";
   fwrite($myfile,
   $txt);
   $txt = "Dora\n"; fwrite($myfile,
   $txt); fclose($myfile);
   ?>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                           PHP
   Joh
   n
   Do
   ra
Output:
Welcome to trichy
 3. fputc() function
   If you want to write only one character at a time you can use the fputc() function.
   The example below writes the "newfile.txt" file character by character,
   <?php
   $myfile = fopen("newfile.txt", "w") or die("Unable to open file!");
   $txt = "welcome to trichy\n";
   fputc($myfile, $txt); fclose($myfile);
   ?>
Output:
Welcome to trichy
  }?
   >
   PHP unlink() generates E_WARNING level error if file is not deleted. It returns TRUE iffile is
   deleted successfully otherwise FALSE.
Syntax
   <?php
   $status=unlink('data.txt'); if($status){
   echo "File deleted successfully";
   } else
   {
   echo "Sorry!";
   }
   ?>
Output
   The PHP copy function is used to copy files. It has the following basic syntax.
   copy($file,$copied_file);
HERE,
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                   PHP
   “$file” specifies the file path and name of the file to be copied.
   “copied_file” specified the path and name of the copied file The
   code below illustrates the implementation
   <?php
   copy('miet.txt', 'trichy.txt') or die("Could not copy file"); echo
    "File successfully copied to 'trichy.txt'";
   ?> fseek()
   function
         This function moves the file pointer from its current position to a new position,
   forward or backward, specified by the number of bytes.
 Syntax
 fseek(file, offset)
parameters are
offset Required. Specifies the new position (measured in bytes from the beginning ofthe file)
   In this example Read first line from the open file, then move the file pointer back to the
   beginning of the file.
   <?php
   $file = fopen("test.txt","r");
   // Read first
   lineecho fgets($file);
   // Move back to beginning of file
   fseek($file,0); fclose($file);
   ?>
touch() function
The touch() function sets the access and modification time of the specified file.
   Syntax touch(filename,
 time, atime)
Example
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                     PHP
      <?php
      filename = "test.txt"; if
      (touch($filename)) {
     echo $filename . " modification time has been changed to present time";
      } else { echo "Sorry, could not change modification time of " .
     $filename;
      }
      ?>
 DIRECTORY FUNCTION IN PHP
     This function is very simple. All you need to know is that it takes one parameter, whichis the
     name of the directory that you want to create. The code to create a directory called miet is
     shown below.
<?php
mkdir(“miet");
?>
The opendir() function in PHP is an inbuilt function which is used to open a directory .
Syntax:
     opendir($path, $context)
     The opendir() function in PHP accepts two parameters.
3. readdir()
The readdir() function is used to read a file or directory name from a directory.
Syntax readdir(dir)
dir Optional. Specifies the directory handle resource previously opened with opendir()
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                       PHP
       4. closedir() the closedir() function used to close a
          directory
   Example:
   <?php
   $dh = opendir("/images/"); // Opening a directory if(is_dir($dh))
   {
              echo("Directory Opened Successfully.");
    while (($file = readdir($dh)) !== false)       //read the file name
   { echo "filename:" . $file . "<br>";
   }
   closedir($dh);       // closing the directory else
   {
              echo("Directory Cannot Be Opened.");
   }
   ?>
 Output:
   filename: cat.gif
   filename: dog.gif
   filename:
   horse.gif
        5. scandir()      Read a directory(Return result in array format)
The scandir() function returns an array of files and directories of the specified directory.
scandir(directory, order)
 order            Optional. Specifies the sorting order. Default sort order is alphabetical
                in ascending order (0). Set to SCANDIR_SORT_DESCENDING or 1 to sort in
                alphabetical descending order
   <?php
   $dir = "/images/";
   $a = scandir($dir);         // Sort in ascending order - this is default
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                            PHP
   Output: Array
   (
   [0] => .
   [1] => ..
   [2] => cat.gif
   [3] => dog.gif
   [4] => horse.gif
   [5] => myimages
   )
   Array (
   [0] => myimages
   [1] => horse.gif [2] => dog.gif [3] => cat.gif [4] => ..
   [5] => .
   )
to be removed
   PHP will work with virtually all database software, including Oracle and Sybase butmost
   commonly used is freely available MySQL database.
  PHP provides mysql_connect function to open a database connection. This function takes five
  parameters and returns a MySQL link identifier on success, or FALSE on failure.
   Syntax
   connection mysql_connect(server,user,password)
1. server
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                 PHP
   Optional − The host name running database server. If not specified then default value is
   localhost:3306.
2. user
   Optional − The username accessing the database. If not specified then default is thename of the
   user that owns the server process.
3. password
   Optional − The password of the user accessing the database. If not specified then defaultis an
   empty password.
  Its simplest function mysql_close PHP provides to close a database connection. This function
  takes connection resource returned by mysql_connect function. It returnsTRUE on success or
  FALSE on failure.
   Syntax
   bool mysql_close ( resource $link_identifier );
  If a resource is not specified then last opend database is closed.Example
  <?php
$host = 'localhost:8080';
$user = 'guest';
   $pass = 'guest123';
   $conn = mysql_connect($host, $user, $pass);if(!
$conn ) {
mysql_close($conn);
?>
      {
      echo “Failed to connect to MySQL: “ . mysql_connect_error();
      }
      $dos=mysql_query(‘create database smb’);if($dos)
      {
      print(“Database created successfully”);
      } els
      e
      {
      print(“error creating database:”.mysql_error());
      }
      mysql_close($con);
      ?>
  Output
      Where db_name is database name and it is mandatory, connection is the link identifiedand it is
      optional.
      Here is an example that illustrates you how to select a database:
      <?php
      $host = “localhost”;
      $user = “user02”;
      $pass = “jasmine”;
      $con=mysql_connect($host,$user,$pass);if
      (!$con)
      {
      echo “Failed to connect to MySQL: “ . mysql_connect_error();
  }
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                  PHP
   ‘Database selected      successfully’;
   mysql_close($con);
  ?>
Output:
           Creating tables in the new database is very similar to creating the database. Firstcreate
   the SQL query to create the tables then execute the query using mysql_query() function.
   Following is an example to create a table:
   <?php
   $host = “localhost”;
   $user = “user02”;
   $pass = “jasmine”;
   $con=mysql_connect($host,$user,$pass);if
   (!$con)
   {
   echo “Failed to connect to MySQL: “ . mysql_connect_error();
   }
   echo ‘connected successfully’.’<br>’;
   $sql=’create table student(Rollno smallint(3) not null, Name varchar(25) not null,Age int(3)
   not null, primary key(Rollno))’;
   mysql_select_db(‘smb’);
   $val=mysql_query($sql,$con);
   if(!$val)
   {
   die(‘could not create table:’ . mysql_error());
   }
   echo ‘Table student created successfully’;
   mysql_close($con);
   ?> Output:
   Connected successfully
  Table student created successfully
   INSERT DATA INTO MYSQL USING PHP
           Data can be entered into MySQL tables by executing SQL INSERT statement through
   PHP function mysql_query. Given below is a simple example to insert a recordinto student
   table:
   <?php
   $host = “localhost”;
   $user = “user02”;
   $pass = “jasmine”;
   $con=mysql_connect($host,$user,$pass);if
   (!$con)
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                              PHP
   {
   echo “Failed to connect to MySQL: “ . mysql_connect_error();
   }
   echo ‘connected successfully’.’<br>’;
   $sql=’insert into student(Rollno,Name,Age)values(123,”jenifer”,20)’;
   mysql_select_db(‘smb’); $val=mysql_query($sql,$con); if(!$val)
   {
   die(‘could not enter data:’ . mysql_error());
   }
   echo ‘Entered data successfully’; mysql_close($con);
  ?>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                            PHP
          The UPDATE statement is used to update existing records in a table. Data can be
   updated into MySQL tables by executing SQL UPDATE statement through PHP function
   mysql_query. A simple example to update records into student table is given as follows:
   <?php
   $host = “localhost”;
   $user = “user02”;
   $pass = “jasmine”;
   $con=mysql_connect($host,$user,$pass);if
   (!$con)
   {
   echo “Failed to connect to MySQL: “ . mysql_connect_error();
   }
   $sql=’update student set Age=27 where Rollno=124–;
   mysql_select_db(‘smb’);
   $val=mysql_query($sql,$con); if(!$val)
   {
   die(‘could not update data:’ . mysql_error());
   }
   echo “updated data successfully”; mysql_close($con);
   ?>
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
 III BSC CS                                                                                  PHP
           The DELETE FROM statement is used to delete records from a database table.Data
   can be deleted from MySQL tables by executing SQL DELETE statement through PHP
   function mysql_query. Given below is a simple example to delete records from a student table.
   <?php
   $host = “localhost”;
   $user = “user02”;
   $pass = “jasmine”;
   $con=mysql_connect($host,$user,$pass);if
   (!$con)
   {
   echo “Failed to connect to MySQL: “ . mysql_connect_error();
   }
   echo ‘connected successfully’.’<br>’;
   $sql=’delete from student where Rollno=123–;
   mysql_select_db(‘smb’);
   $val=mysql_query($sql,$con); if(!$val)
   {
   die(‘could not delete data:’ . mysql_error());
   }
Y.J.M.SHERIF. M.TECH(CSE), HOD, DEPARTMENT OF BCA, M.I.E.T ARTS & SCIENCE COLLEGE, TRICHY-7
B. SASI KUMAR
DELETING A DATABASE
        If a database is no longer required then it can be deleted forever. You can pass a SQL command to
mysql_query to delete a database. Given below is a simple example todelete database from MySQL server.
<?php
$host = “localhost”;
$user = “user02”;
$pass = “jasmine”;
$con=mysql_connect($host,$user,$pass);if (!$con)
{
echo “Failed to connect to MySQL: “ . mysql_connect_error();
}
echo ‘connected successfully’.’<br>’;
$sql=’drop database smb’;
$val=mysql_query($sql,$con);if(!$val)
{
die(‘could not delete database smb:’ . mysql_error());
}
echo ‘Deleted database successfully’;mysql_close($con); ?>
Output:
Connected successfully Deleted database successfully
UNIT-5
                                              AJAX
AJAX = Asynchronous JavaScript and XML.
Classic web pages, (which do not use AJAX) must reload the entire pageif the content should change.
Examples of applications using AJAX: Google Maps, Gmail, Youtube, andFacebook tabs.
 1
B. SASI KUMAR
ADVANTAGES OF AJAX
2
B. SASI KUMAR
The process flow of the diagram can be described by the following steps:
     1. The user triggers an event, for example by releasing a key when typing
        in a name. This results in a JavaScript call to a function that initializes
        an XMLHttpRequest object.
     2. The XMLHttpRequest object is configured with a request parameter
        that includes the ID of the component that triggers the event, and any
        value that the user entered. The XMLHttpRequest object then makes an
        asynchronous request to the web server.
     3. On the web server, an object such as a servlet or listener handles the
        request. Data is retrieved from the data store, and a response is
        prepared containing the data in the form of an XML document.
     4. Finally, the XMLHttpRequest object receives the XML data using a
        callback function, processes it, and updates the HTML DOM (Document
        Object Model) to display the page containing the new data.
 3
B. SASI KUMAR
     •   AJAX applications are browser- and platform-independent!
AJAX PHP Example
        The following example will demonstrate how a web page can communicate with a web server
while a user type characters in an input field:
<!DOCTYPE html>
<html>
<head> <script> function
showHint(str) {if
   (str.length == 0) {
      document.getElementById("txtHint").innerHTML = "";return;
     } else {
        var xmlhttp = new XMLHttpRequest(); xmlhttp.onreadystatechange = function() { if (xmlhttp.readyState == 4
        && xmlhttp.status == 200) {document.getElementById("txtHint").innerHTML =
xmlhttp.responseText;
         }
      }
      xmlhttp.open("GET", "gethint.php?q="+str, true); xmlhttp.send();
     }
}
</script>
</head>
<body>
<p><b>Start typing a name in the input field below:</b></p>
<form>
First name: <input type="text" onkeyup="showHint(this.value)">
</form>
<p>Suggestions: <span id="txtHint"></span></p>
</body>
</html>
INPUT:
First name:
Suggestions:
 Code explanation:
 4
 B. SASI KUMAR
First, check if the input field is empty (str.length == 0). If it is, clear the contentof the txtHint placeholder
and exit the function.
       The XMLHttpRequest object can be used to exchange data with a server behind the scenes. This
means that it is possible to update parts of a web page,without reloading the whole page.
            Method                         Description
new XMLHttpRequest() Creates a new XMLHttpRequest object abort() Cancels
the current request
getAllResponseHeaders() Returns header information getResponseHeader()
  Returns specific header information
                                              Specifies the request
 5
B. SASI KUMAR
                                url: the file location
open(method,url,async,user,psw) async: true (asynchronous) or false
                                (synchronous)          user:
                                optional user name psw:
                                optional password
                                Sends the request to the server
send()
                                Used for GET requests
                                Sends the request to the server. send(string)
                                Used for POST requests
                                Adds a label/value pair to the header to be
setRequestHeader() sent
          Property                              Description
                           Defines a function to be called when the
onreadystatechange
                           readyState property changes
                           Holds the status of the XMLHttpRequest.
                           0: request not initialized
readyState                 1: server connection established
                           2: request received
                           3: processing request
                           4: request finished and response is ready
responseText               Returns the response data as a string
responseXML                Returns the response data as XML data
                           Returns the status-number of a request
                           200: "OK"
status                     403: "Forbidden"
                           404: "Not Found"
                           For a complete list go to the Http Messages
                           Reference
statusText                 Returns the status-text (e.g. "OK" or "Not Found")
6
B. SASI KUMAR
The FTP functions give client access to file servers through the File Transfer
Protocol (FTP).
     ➢ The FTP functions are used to open, login and close connections, as well
       as upload, download, rename, delete, and get information on files from file
       servers.
     ➢ Not all of the FTP functions will work with every server or return the
       same results.
     ➢ The FTP functions became available with PHP 3.
     ➢ If you only wish to read from or write to a file on an FTP server, consider
       using the ftp:// wrapper with the Filesystem functions which provide a
       simpler and more intuitive interface.
Installation
For these functions to work, you have to compile PHP with --enable-ftp.The Windows version of
Function Description
 7
B. SASI KUMAR
ftp_fget() Downloads a file from the FTP server and saves it into an open local file
ftp_fput() Uploads from an open file and saves it to a file on the FTP server
ftp_nb_fget() Downloads a file from the FTP server and saves it into an open file (non-
ftp_nb_fput() Uploads from an open file and saves it to a file on the FTP server (non-bl
8
B. SASI KUMAR
ftp_nlist() Returns a list of files in the specified directory on the FTP server
9
 BSC CS
ftp_rawlist() Returns a list of files with file information from a specified directory
PHP-FileUploading
           A PHP script can be used with a HTML form to allow users to upload files to the server.
  Initially files are uploaded into a temporary directory and then relocated to a target destination
  by a PHP script.
  Information in the phpinfo.php page describes the temporary directory that is used for file
  uploads as upload_tmp_dir and the maximum permitted size of files that can be uploaded is
  stated as upload_max_filesize. These parameters are set into PHP configuration filephp.ini
  The process of uploading a file follows these steps −
      •   The user opens the page containing a HTML form featuring a text files, abrowse button
          and a submit button.
      •   The user clicks the browse button and selects a file to upload from thelocal PC.
      •   The full path to the selected file appears in the text filed then the userclicks the submit
          button.
      •   The selected file is sent to the temporary directory on the server.
      •   The PHP script that was specified as the form handler in the form's action attribute
          checks that the file has arrived and then copies the file into an intended directory.
      •   The PHP script confirms the success to the user.
  As usual when writing files it is necessary for both temporary and final locations to have
  permissions set that enable file writing. If either is set to be read-only then process will fail. An
  uploaded file could be a text file or image file or any document.
 10
BSC CS
                             DRAWING IMAGES ON SERVER
12
BSC CS
         filel
Creating an Image
<?php
$im = ImageCreate(200,200);
$white = ImageColorAllocate($im,0xFF,0xFF,0xFF);
$black = ImageColorAllocate($im,0x00,0x00,0x00);
ImageFilledRectangle($im,50,50,150,150,$black);
header('Content-Type: image/png'); ImagePNG($im);
?>
ImageFilledRectangle( ), in which you specify the dimensions of the rectangle by passing the coordinates
of the top-left and bottom-right corners:
13
BSC CS
 If you want to start with an existing image and then modify it, use eitherImageCreateFromJPEG( ) or
ImageCreateFromPNG( ):
$image = ImageCreateFromJPEG(filename);
 $image = ImageCreateFromPNG(filename);
14
BSC CS
GD has functions for drawing Basic points, lines, arcs, rectangles, andpolygons.
    ➢ The most basic function is ImageSetPixel( ) , which sets the color of a specified
         pixel:
         ImageSetPixel(image, x, y, color);
    ➢ There are two functions for drawing rectangles, one that simply drawsthe
         outline and one that fills the rectangle with the specified color:
ImageRectangle(image, x1, y1, x2, y2, color); ImageFilledRectangle(image, x1, y1, x2, y2, color);
    ➢    Specify the location and size of the rectangle by passing the coordinatesof the top-left
         and bottom-right corners.
    ➢    You can draw arbitrary polygons with the ImagePolygon( ) and ImageFilledPolygon( )
         functions:
    ➢ The ImageFillToBorder( ) function lets you pass the particular color ofthe
         limits of the fill:
BSC CS
ImageFill(image, x, y, color);
  To Draw Rectangle
 <?php
 create_image(); print "<img
 src=image.png?".date("U").">";function
 create_image()
 {
      $im = @imagecreate(200, 200) or die("Cannot Initialize new GD imagestream");
      $background_color = imagecolorallocate($im, 255, 255, 0); // yellow
To Draw Ecllipse
 <?php create_image();
 print     "<img    src=image.png?".date("U").">";
 function create_image()
 {
      $im = @imagecreate(200, 200) or die("Cannot Initialize new GD image
 stream");
      $background_color= imagecolorallocate($im, 255, 255, 0); // yellow
?>
The following script is an example for drawing human face using imagearc()function
<?php
image/png"); imagepng($img);
imagedestroy($img);
?>
OUTPUT:
BSC CS
16