KEMBAR78
Notes by Captain: Introduction To PHP | PDF | Php | Http Cookie
0% found this document useful (0 votes)
19 views19 pages

Notes by Captain: Introduction To PHP

Php .pdf

Uploaded by

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

Notes by Captain: Introduction To PHP

Php .pdf

Uploaded by

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

UNIT-1

Notes by Captain

Introduction to PHP
PHP (Hypertext Preprocessor) is a popular server-side scripting language designed for web
development but also used as a general-purpose programming language.

History of PHP
• Created by Rasmus Lerdorf in 1994.
• Initially stood for "Personal Home Page" tools.
• Evolved to include more advanced features and was renamed "PHP: Hypertext
Preprocessor."

Versions of PHP
• PHP 3: Introduced in 1998.
• PHP 4: Released in 2000.
• PHP 5: Released in 2004.
• PHP 7: Released in 2015 (significant performance improvements).
• PHP 8: Released in 2020.

Features of PHP
• Open-source: Freely available for everyone.
• Easy to learn: Similar syntax to C and Java.
• Platform-independent: Runs on various platforms (Windows, Linux, etc.).
• Server-side scripting: Executes on the server, generating HTML to be sent to the client.

Advantages of PHP Over Other Scripting Languages


• Wide usage: Extensive community support.
• Embedded HTML: Easy to mix PHP code with HTML.
• Cross-platform compatibility: Works on different operating systems.
• Flexibility: Can integrate with various databases (MySQL, PostgreSQL, etc.).

Software Requirements
• Web server: Apache or Nginx.
• PHP: Latest stable version.
• Database: MySQL or any other supported database.
Installation and Configuration of PHP
1. Download PHP from the official website.
2. Configure environment variables.
3. Integrate with a web server (like Apache or Nginx).

Installing and Configuring Apache to Use PHP on Windows


1. Download Apache and PHP.
2. Install Apache and configure the httpd.conf file to include PHP.
3. Restart Apache to apply changes.

Basic HTML
• HTML is the standard markup language for creating web pages.
• Elements are represented by tags.

Embedding PHP in HTML


• html
• <!DOCTYPE html>
• <html>
• <body>
• <?php echo "Hello, World!"; ?>
• </body>
• </html>

PHP Basic Syntax


• PHP code starts with <?php and ends with ?>.
• Statements end with a semicolon (;).

Data Types
• String: Text.
• Integer: Whole numbers.
• Float: Decimal numbers.
• Boolean: true or false.
• Array: Multiple values in one variable.

Comments
• Single-line: // or #.
• Multi-line: /* ... */.

Variables and Constants


• Variables: Defined with a $ sign (e.g., $variable).
• Constants: Defined using define() function (e.g., define("CONSTANT", "value");).

Scope of Variables
• Local: Inside functions.
• Global: Outside functions.
• Static: Retains value after function execution.

PHP Arrays
• Creating: $array = array("value1", "value2");.
• Accessing: $array[0].

PHP String
• Concatenation: Using . operator.
• Functions: strlen(), str_replace(), etc.

PHP Operators
• Arithmetic: +, -, *, /.
• Comparison: ==, !=, >, <.
• Logical: &&, ||.

Precedence of Operators
• Defines the order in which operators are evaluated.

Expressions
• Combination of variables, operators, and values that produce a result.

Creating a PHP Script


• <?php
• echo "This is a PHP script!";
• ?>

Running a PHP Script


• Save the file with a .php extension.
• Place it in the web server's document root directory.
• Access it via a web browser (e.g., http://localhost/script.php).
UNIT-2

Statements
1. If Statement Executes code if a condition is true.
• if ($condition) {
• // code to be executed if condition is true
• }
2. If...Else Statement Executes one block of code if a condition is true and another if it is false.
• if ($condition) {
• // code to be executed if condition is true
• } else {
• // code to be executed if condition is false
• }
3. If...Elseif...Else Statement Tests multiple conditions.
• if ($condition1) {
• // code to be executed if condition1 is true
• } elseif ($condition2) {
• // code to be executed if condition2 is true
• } else {
• // code to be executed if neither condition is true
• }
4. Switch Case Executes one block of code among many based on the value of a variable.
• switch ($variable) {
• case "value1":
• // code to be executed if $variable == value1
• break;
• case "value2":
• // code to be executed if $variable == value2
• break;
• default:
• // code to be executed if $variable does not match any case
• }
• PHP Looping Statements

1. While Loop Repeats a block of code as long as a condition is true.


• while ($condition) {
• // code to be executed as long as condition is true
• }
2. For Loop Repeats a block of code a specified number of times.
• for ($initialization; $condition; $increment) {
• // code to be executed
• }
3. Do...While Loop Executes a block of code once, and then repeats as long as a condition is
true.
• do {
• // code to be executed
• } while ($condition);
4. Break Exits from the loop or switch statement.
• while ($condition) {
• if ($someCondition) {
• break; // exit the loop
• }
• // code to be executed
• }
5. Continue Skips the rest of the loop iteration and continues with the next iteration.
• for ($i = 0; $i < 10; $i++) {
• if ($i % 2 == 0) {
• continue; // skip the rest of this loop iteration
• }
• // code to be executed for odd values of $i
• }
6. Exit Terminates the script.
• if ($someCondition) {
• exit("Terminating the script."); // stops the script
• }
PHP Functions

1. Built-in Functions
• String Functions: strlen(), str_replace(), strpos(), substr(), etc.
• $string = "Hello, World!";
• echo strlen($string); // outputs 13
• Mathematical Functions: abs(), ceil(), floor(), max(), min(), etc.
• echo abs(-10); // outputs 10
• Date and Time Functions: date(), time(), mktime(), strtotime(), etc.
• echo date("Y-m-d H:i:s"); // outputs current date and time
2. User-Defined Functions Declaring and calling a function:
• function functionName($parameter) {
• // code to be executed
• }

• functionName($argument); // calling the function

3. Function Arguments
• Call by Value:
• function addFive($value) {
• $value += 5;
}

• $num = 10;
• addFive($num);
• echo $num; // outputs 10
• Call by Reference:
• function addFive(&$value) {
• $value += 5;
• }

• $num = 10;
• addFive($num);
• echo $num; // outputs 15
String Manipulation Functions
• strlen(): Returns the length of a string.
• echo strlen("Hello"); // outputs 5
• str_replace(): Replaces all occurrences of a search string with a replacement string.
• echo str_replace("world", "PHP", "Hello world!"); // outputs Hello PHP!
• strpos(): Finds the position of the first occurrence of a substring in a string.
• echo strpos("Hello world!", "world"); // outputs 6
• substr(): Returns a part of a string.
• echo substr("Hello world!", 6, 5); // outputs world

Mathematical Functions
• abs(): Returns the absolute value of a number.
• echo abs(-10); // outputs 10
• ceil(): Rounds a number up to the nearest integer.
• echo ceil(4.3); // outputs 5
• floor(): Rounds a number down to the nearest integer.
• echo floor(4.7); // outputs 4
• max(): Returns the maximum value in an array or a set of values.
• echo max(1, 3, 5, 2, 4); // outputs 5
• min(): Returns the minimum value in an array or a set of values.
• echo min(1, 3, 5, 2, 4); // outputs 1

Date and Time Functions


• date(): Formats a local date and time.
• echo date("Y-m-d H:i:s"); // outputs current date and time
• time(): Returns the current Unix timestamp.
• echo time(); // outputs current timestamp
• mktime(): Returns the Unix timestamp for a date.
• echo mktime(0, 0, 0, 1, 1, 2020); // outputs timestamp for January 1, 2020
• strtotime(): Parses an English textual datetime description into a Unix timestamp.
• echo strtotime("next Monday"); // outputs timestamp for next Monday

UNIT-3
Introduction to a Web Form
A web form is an HTML form used to collect user input. It includes elements like text fields,
checkboxes, radio buttons, and submit buttons.
Example:
• <form action="process_form.php" method="post">
• <label for="name">Name:</label>
• <input type="text" id="name" name="name">
• <input type="submit" value="Submit">
• </form>

Processing a Web Form


When a form is submitted, the data is sent to the server to be processed. The action attribute
specifies the URL to send the form data to, and the method attribute specifies the HTTP method to
use (GET or POST).

Capturing Form Data


• PHP $_GET: Captures form data sent via URL parameters (query string). Example:
$name = $_GET['name'];
• PHP $_POST: Captures form data sent via the HTTP POST method. Example:
$name = $_POST['name'];

Passing Information Between Pages


• Using URL Parameters: Pass data through the URL. Example:
<a href="next_page.php?name=John">Next Page</a>
• Using Forms: Use hidden fields to pass data between forms. Example:
<form action="next_page.php" method="post">
<input type="hidden" name="name" value="John">
<input type="submit" value="Next Page">
</form>

PHP $_GET and $_POST with Multi-Value Fields


• Checkboxes allow multiple values to be selected.
• HTML Example:
• <input type="checkbox" name="colors[]" value="red"> Red
• <input type="checkbox" name="colors[]" value="green"> Green
• PHP Example:
• $colors = $_POST['colors'];
• foreach ($colors as $color) {
• echo $color . " ";
• }

Validating a Web Form


• Client-Side Validation: Use HTML5 attributes and JavaScript to validate form data before
submission. Example:
<input type="text" name="name" required>
• Server-Side Validation: Use PHP to validate form data after submission. Example:
if (empty($_POST['name'])) {
echo "Name is required.";
}

Input Validation
• Sanitizing Input: Remove harmful characters from input data. Example:
$name = filter_var($_POST['name'], FILTER_SANITIZE_STRING);
• Validating Input: Check if input meets certain criteria. Example:
if (filter_var($email, FILTER_VALIDATE_EMAIL)) {
echo "Valid email address.";
} else {
echo "Invalid email address.";
}

Exception and Error Handling


• Try...Catch Block: Handles exceptions that occur in the code. Example:
try {
// code that may cause an exception
} catch (Exception $e) {
echo "Caught exception: " . $e->getMessage();
}
• Error Reporting: Display or log errors. Example:
error_reporting(E_ALL); // Display all errors
ini_set('display_errors', 1); // Show errors on screen

Introduction to Cookies and Session Handling


• Cookies: Small pieces of data stored on the client’s computer.
Setting a Cookie:
setcookie("username", "JohnDoe", time() + (86400 * 30), "/"); // 86400 = 1 day
Retrieving a Cookie:
echo $_COOKIE['username'];
• Sessions: Store data on the server for each user.
Starting a Session:
session_start();
$_SESSION['username'] = "JohnDoe";
Accessing Session Data:
session_start();
echo $_SESSION['username'];
Destroying a Session:
session_start();
session_unset(); // Remove all session variables
session_destroy(); // Destroy the session

UNIT-4
PHP Supported Databases
PHP supports several databases including:
• MySQL
• PostgreSQL
• SQLite
• Microsoft SQL Server
• Oracle
For this unit, we'll focus on MySQL.

Using PHP & MySQL

Installation and Configuration of MySQL on Windows


1. Download MySQL Installer: Get the MySQL installer from the official MySQL website.
2. Run the Installer: Follow the steps in the installer to install MySQL.
3. Configuration:
• Choose a setup type (Developer Default is recommended).
• Configure MySQL Server (set root password, and optionally create user accounts).
• Start MySQL as a Windows service.

Checking Configuration
1. Open MySQL Command Line Client: Enter the root password.
2. Verify Installation:
SHOW DATABASES;

Connecting to Database
1. Using MySQLi (MySQL Improved) Extension:
$servername = "localhost";
$username = "root";
$password = "password";
$dbname = "database_name";

// Create connection
$conn = new mysqli($servername, $username, $password, $dbname);
// Check connection
if ($conn->connect_error) {
die("Connection failed: " . $conn->connect_error);
}
echo "Connected successfully";
2. Using PDO (PHP Data Objects):
$dsn = "mysql:host=localhost;dbname=database_name";
$username = "root";
$password = "password";

try {
$conn = new PDO($dsn, $username, $password);
$conn->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
echo "Connected successfully";
} catch(PDOException $e) {
echo "Connection failed: " . $e->getMessage();
}

Selecting a Database
• $conn->select_db("database_name");

Adding Table and Altering Table in a Database


1. Adding a Table:
$sql = "CREATE TABLE Students (
id INT(6) UNSIGNED AUTO_INCREMENT PRIMARY KEY,
firstname VARCHAR(30) NOT NULL,
lastname VARCHAR(30) NOT NULL,
email VARCHAR(50),
reg_date TIMESTAMP
)";

if ($conn->query($sql) === TRUE) {


echo "Table Students created successfully";
} else {
echo "Error creating table: " . $conn->error;
}
2. Altering a Table:
$sql = "ALTER TABLE Students ADD age INT(3)";

if ($conn->query($sql) === TRUE) {


echo "Table Students altered successfully";
} else {
echo "Error altering table: " . $conn->error;
}

Inserting, Deleting and Modifying Data in a Table


1. Inserting Data:
$sql = "INSERT INTO Students (firstname, lastname, email)
VALUES ('John', 'Doe', 'john@example.com')";

if ($conn->query($sql) === TRUE) {


echo "New record created successfully";
} else {
echo "Error: " . $sql . "<br>" . $conn->error;
}
2. Deleting Data:
$sql = "DELETE FROM Students WHERE id=1";

if ($conn->query($sql) === TRUE) {


echo "Record deleted successfully";
} else {
echo "Error deleting record: " . $conn->error;
}
3. Modifying Data:
$sql = "UPDATE Students SET lastname='Smith' WHERE id=1";
if ($conn->query($sql) === TRUE) {
echo "Record updated successfully";
} else {
echo "Error updating record: " . $conn->error;
}

Retrieving Data
1. Selecting Data:
$sql = "SELECT id, firstname, lastname FROM Students";
$result = $conn->query($sql);

if ($result->num_rows > 0) {
// Output data of each row
while($row = $result->fetch_assoc()) {
echo "id: " . $row["id"]. " - Name: " . $row["firstname"]. " " . $row["lastname"]. "<br>";
}
} else {
echo "0 results";
}

Performing Queries
Execute any SQL statement using the query method.
• $sql = "SELECT * FROM Students";
• $result = $conn->query($sql);

Processing Result Sets


Fetch data from the result set using fetch_assoc, fetch_row, etc.
• while($row = $result->fetch_assoc()) {
• echo "id: " . $row["id"]. " - Name: " . $row["firstname"]. " " . $row["lastname"]. "<br>";
• }

UNIT-5
Code Re-use
• Code Re-use: The practice of using existing code for new functionalities to save time and
reduce errors. In PHP, this is often achieved using require() and include() functions.

require() and include()


• require(): Includes and evaluates a specified file. If the file is not found, it generates a fatal
error and stops the script. Example:
require('header.php');

• include(): Includes and evaluates a specified file. If the file is not found, it generates a
warning but the script continues. Example:
include('header.php');

• include_path: A PHP configuration option that specifies the directories to search for files
when using require() and include(). Example:
ini_set('include_path', '/path/to/your/includes');

PHP File Permissions


• File Permissions: Important for security and defining access levels for files.
• Read (r): Allows reading the file.
• Write (w): Allows writing to the file.
• Execute (x): Allows executing the file as a program.

Working with Files


• Opening a File: Use fopen() to open a file.
$file = fopen("example.txt", "r");
• Closing a File: Use fclose() to close an open file.
fclose($file);
• Reading a File: Use fread() to read from a file.
$content = fread($file, filesize("example.txt"));
• Writing to a File: Use fwrite() to write to a file.
$file = fopen("example.txt", "w");
fwrite($file, "Hello, World!");
fclose($file);

File System Functions and File Input/Output


• file_exists(): Checks if a file exists.
if (file_exists("example.txt")) {
echo "The file exists.";
}
• copy(): Copies a file.
copy("source.txt", "destination.txt");
• unlink(): Deletes a file.
unlink("example.txt");
• file_get_contents(): Reads the entire file into a string.
$content = file_get_contents("example.txt");
• file_put_contents(): Writes a string to a file.
file_put_contents("example.txt", "Hello, World!");

Working with Directories


• Creating a Directory: Use mkdir().
mkdir("new_directory");
• Deleting a Directory: Use rmdir().
rmdir("new_directory");
• Changing a Directory: Use chdir().
chdir("new_directory");

File Uploads
• Handling File Uploads: Use the $_FILES superglobal. Example HTML form for file upload:
<form action="upload.php" method="post" enctype="multipart/form-data">
Select file to upload:
<input type="file" name="fileToUpload" id="fileToUpload">
<input type="submit" value="Upload File" name="submit">
</form>
• PHP Script to Handle Upload:
$target_dir = "uploads/";
$target_file = $target_dir . basename($_FILES["fileToUpload"]["name"]);
if (move_uploaded_file($_FILES["fileToUpload"]["tmp_name"], $target_file)) {
echo "The file ". basename($_FILES["fileToUpload"]["name"]). " has been uploaded.";
} else {
echo "Sorry, there was an error uploading your file.";
}

Introduction to Object-Oriented Programming with PHP


• Class: A blueprint for objects. Contains properties (variables) and methods (functions).
Example:
class Car {
public $color;
public $model;

public function __construct($color, $model) {


$this->color = $color;
$this->model = $model;
}

public function message() {


return "My car is a " . $this->color . " " . $this->model . ".";
}
}
• Object: An instance of a class. Example:
$myCar = new Car("black", "Volvo");
echo $myCar->message();
• Inheritance: A class can inherit properties and methods from another class. Example:
class ElectricCar extends Car {
public $batteryLife;

public function __construct($color, $model, $batteryLife) {


parent::__construct($color, $model);
$this->batteryLife = $batteryLife;
}

public function batteryStatus() {


return "The battery life of this " . $this->model . " is " . $this->batteryLife . " hours.";
}
}

$myElectricCar = new ElectricCar("blue", "Tesla", 5);


echo $myElectricCar->batteryStatus();

suggestion: Agar notes samjh na aaye to koi tutorial dekh lo youtube se phir notes
padhna to samjh mein aa jayega

You might also like