CakeFest 2024: The Official CakePHP Conference

ReflectionFunction::isAnonymous

(PHP 8 >= 8.2.0)

ReflectionFunction::isAnonymousПроверяет, является ли функция анонимной

Описание

public ReflectionFunction::isAnonymous(): bool

Проверяет, является ли функция анонимной.

Список параметров

У этой функции нет параметров.

Возвращаемые значения

Возвращает true, если функция анонимна, иначе возвращает false.

Примеры

Пример #1 Пример использования ReflectionFunction::isAnonymous()

<?php

$rf
= new ReflectionFunction(function() {});
var_dump($rf->isAnonymous());

$rf = new ReflectionFunction('strlen');
var_dump($rf->isAnonymous());
?>

Результат выполнения приведённого примера:

bool(true)
bool(false)

Смотрите также

add a note

User Contributed Notes 2 notes

up
2
nicolasgrekas at php dot net
1 year ago
Closures can be either anonymous or not.

Here is an anonymous closure:
$c1 = function () {};

And here is a *non* anonymous closure:
$c2 = Closure::fromCallable(['Foo', 'bar']);

ReflectionFunction::isAnonymous() returns true for $c1 and false for $c2.

Before PHP 8.2, one had to do this check to decide between both:
$r = new \ReflectionFunction($c1);
$isAnonymous = false !== strpos($r->name, '{closure}');

ReflectionFunction::isAnonymous() makes it easier to check.
up
1
Taufik Nurrohman
1 year ago
You know that anonymous function is just an instance of class `Closure` so this would be equivalent to check whether a variable is an anonymous function or not:

<?php

$test
= function () {};

if (
is_callable($test) && is_object($test) && $test instanceof Closure) { /* ... */ }

?>
To Top