DEV Community

Cover image for Php Reflection
Ahmedraza Fyntune
Ahmedraza Fyntune

Posted on

Php Reflection

PHP Topic of the Day: Reflection
What is Reflection?

  • Reflection is a powerful metaprogramming technique in PHP that allows you to examine and manipulate the structure of classes, interfaces, functions, methods, and even variables at runtime.
  • It provides a way to introspect on your own code, dynamically access and modify its behavior. Key Concepts:
  • Class Reflection:
    • Get class name, interfaces, constants, properties, methods.
    • Check if a class exists, is abstract, or is final.
    • Create new instances of a class dynamically.
  • Method Reflection:
    • Get method name, parameters, modifiers (public, private, protected).
    • Invoke a method dynamically.
    • Check if a method is static, abstract, or final.
  • Property Reflection:
    • Get property name, modifiers, default value.
    • Get and set property values.
  • Function Reflection:
    • Get function name, parameters, return type. Example:
<?php

class MyClass {
    public $name;

    public function __construct($name) {
        $this->name = $name;
    }

    public function greet() {
        echo "Hello, " . $this->name . "!\n";
    }
}

$obj = new MyClass("World");

// Get class reflection
$reflectionClass = new ReflectionClass($obj); 

// Get class name
echo "Class Name: " . $reflectionClass->getName() . "\n"; 

// Get and invoke a method
$greetMethod = $reflectionClass->getMethod('greet');
$greetMethod->invoke($obj); 

?>
Enter fullscreen mode Exit fullscreen mode

Use Cases:

  • Dynamically creating and manipulating objects.
  • Building frameworks and libraries.
  • Implementing dependency injection.
  • Debugging and introspection tools.
  • Creating custom serialization/deserialization mechanisms. Benefits:
  • Increased flexibility and maintainability.
  • Improved code reusability.
  • Enhanced debugging capabilities.
  • More powerful and expressive code. Important Note:
  • Use Reflection judiciously as it can sometimes impact performance due to the overhead of introspection. I hope this provides a good starting point for exploring PHP Reflection!

Top comments (0)