SoFunction
Updated on 2025-04-04

Simple example of using traits in PHP

The traits in PHP 5.4 are newly introduced features, and I really don’t know how to translate them accurately in Chinese. The actual purpose is to use more inheritance in some occasions, but PHP did not inherit much, so I invented such a thing.
Traits can be understood as a set of methods that can be called by different classes, but Traits is not a class! Cannot be instantiated. Let’s first look at the syntax:

<?php
trait myTrait{
  function traitMethod1(){}
  function traitMethod2(){}

}

//Then call this traits, the syntax is:class myClass{
  use myTrait;
}

//In this way, you can use myTraits to call the methods in Traits, such as:$obj = new myClass();
$obj-> traitMethod1 ();
$obj-> traitMethod2 (); 
>

Next, we explore why we need to use traits. For example, there are two classes, namely business (businessman) and Individual (individual), which have address attributes. The traditional practice is to abstract a parent class with common characteristics of these two classes, such as client, set the access attributes address, business and individual in the client class to inherit them respectively, as follows:

// Class Client 
class Client { 
  private $address; 
  public getAddress() { 
    return $this->address; 
  }    
  public setAddress($address) { 
    $this->address = $address;  
  } 
} 
   
class Business extends Client{ 
  //The address attribute can be used here} 

// Class Individual 
class Individual extends Client{ 
//The address attribute can be used here} 

But what if there is another one called the order class that needs to access the same address attribute? The order class cannot inherit the client class because this does not comply with the principle of OOP. At this time, traits come in handy. You can define a traits to define these common properties.

// Trait Address
trait Address{
  private $address;
  public getAddress() {
    eturn $this->address;
  }
  public setAddress($address) {
    $this->address = $address;
  }
}
// Class Business
class Business{
  use Address;
  // Here you can use the address attribute}
// Class Individual
class Individual{
  use Address;
  //The address attribute can be used here}
// Class Order
class Order{
  use Address;
  //The address attribute can be used here}   

This makes it much more convenient!