本文将向你展示如何创建一个或多个 callback
函数并使用 PHP 中的不同内置方法、用户定义函数和静态类来执行它们。
在 PHP 中创建一个 callback
函数并使用 call_user_func
执行
我们创建了一个名为 testFunction()
的 callback
函数,并使用 call_user_func()
方法通过将函数名称作为字符串传递给该方法来执行它。
例子:
<?php
function testFunction() {
echo "Testing Callback \n";
}
// Standard callback
call_user_func('testFunction');
?>
输出:
Testing Callback
在 PHP 中创建一个 callback
函数并使用 array_map
方法执行
我们使用 array_map
方法执行 callback
函数。这将使用传递给 array_map()
函数的相应数据执行该方法。
例子:
<?php
function length_callback($item) {
return strlen($item);
}
$strings = ["Kevin Amayi", "Programmer", "Nairobi", "Data Science"];
$lengths = array_map("length_callback", $strings);
print_r($lengths);
?>
输出:
Array ( [0] => 11 [1] => 10 [2] => 7 [3] => 12 )
在 PHP 中实现多个回调函数并使用用户定义的函数执行它们
我们将使用名为 testCallBacks()
的用户定义函数执行两个名为 name
和 age
的 callback
函数,将函数的名称作为字符串绕过用户定义的函数。
例子:
<?php
function name($str) {
return $str . " Kevin";
}
function age($str) {
return $str . " Kevin 23 ";
}
function testCallBacks($str, $format) {
// Calling the $format callback function
echo $format($str)."<br>";
}
// Pass "name" and "age" as callback functions to testCallBacks()
testCallBacks(" Hello", "name");
testCallBacks(" Hello", "age");
?>
输出:
Hello Kevin
Hello Kevin 23
在 PHP 中使用 static
类和 call_user_func
将 static
方法实现为 callback
函数
我们将使用 static
方法创建两个 static
类,并使用 call_user_func()
方法将它们作为 callbacks
执行。
<?php
// Sample Person class
class Person {
static function walking() {
echo "I am moving my feet <br>";
}
}
//child class extends the parent Person class
class Student extends Person {
static function walking() {
echo "student is moving his/her feet <br>";
}
}
// Parent class Static method callbacks
call_user_func(array('Person', 'walking'));
call_user_func('Person::walking');
// Child class Static method callback
call_user_func(array('Student', 'Student::walking'));
?>
输出:
I am moving my feet
I am moving my feet
student is moving his/her feet