Example of Object-Oriented Programming (OOP) in PHP
A guide with a basic example of Object-Oriented Programming (OOP) in PHP, explaining how to use classes and objects to structure code using OOP principles.
<?php
// Define class "Person"
class Person {
// Class attributes
private $name;
private $age;
// Constructor to initialize object with initial values
public function __construct($name, $age) {
$this->name = $name;
$this->age = $age;
}
// Method to get the person's name
public function getName() {
return $this->name;
}
// Method to get the person's age
public function getAge() {
return $this->age;
}
// Method to display person's information
public function displayInfo() {
echo "Name: " . $this->getName() . "<br>";
echo "Age: " . $this->getAge() . "<br>";
}
}
// Create object from class "Person"
$person1 = new Person("John Doe", 25);
// Call method to display object's information
$person1->displayInfo();
?>
Detailed explanation:
-
Defining the
Person
class:- A class is a blueprint for creating objects. In this example, the
Person
class contains attributes likename
andage
to store information about a person.
- A class is a blueprint for creating objects. In this example, the
-
Constructor
__construct()
:- A constructor is a special method called when an object of the class is created. It helps initialize the object's attributes with default values.
-
Methods
getName()
,getAge()
, anddisplayInfo()
:getName()
andgetAge()
are methods used to retrieve the values of thename
andage
attributes from an object.displayInfo()
is a method used to display the person's information on the webpage, using the output fromgetName()
andgetAge()
.
-
Creating an object:
- The object
person1
is created from thePerson
class with the name "John Doe" and age 25. ThedisplayInfo()
method is then called to display the object's information.
- The object
PHP Version:
This code is compatible with PHP 5.0 and above.