How to call a PHP function from a string stored in a variable
A guide on how to call a PHP function from a string stored in a variable using PHP’s dynamic function call feature. This article will show you how to do it with illustrative examples.
In this article, we will explore how to call a PHP function when its name is stored as a string in a variable. PHP supports dynamic function calls, allowing you to execute a function by using its name stored in a variable.
PHP Code
<?php
// Define some functions
function sayHello() {
echo "Hello, World!";
}
function greet($name) {
echo "Hello, " . $name . "!";
}
// Call function from a string stored in a variable
$functionName = 'sayHello';
$functionName(); // Output: Hello, World!
// Call function with parameters from a string stored in a variable
$functionNameWithParam = 'greet';
$functionNameWithParam('John'); // Output: Hello, John!
?>
Detailed explanation:
-
function sayHello() {...}
: Defines a simple function that displays "Hello, World!". -
function greet($name) {...}
: Defines a function with a parameter that displays "Hello" with the user's name. -
$functionName = 'sayHello';
: Stores the function name in the$functionName
variable. -
$functionName();
: Calls the function using the name stored in the variable. -
$functionNameWithParam = 'greet';
: Stores the function name with parameters in the$functionNameWithParam
variable. -
$functionNameWithParam('John');
: Calls the function with a parameter, outputting "Hello, John!".
System requirements:
- PHP 7.0 or higher
How to install the libraries needed to run the PHP code above:
No additional libraries are required, only a basic PHP environment.
Tips:
- Make sure the function name is valid and defined before calling it.
- Use
is_callable()
to check if the function can be called before invoking it.