class_implements

(PHP 5, PHP 7, PHP 8)

class_implements 返回由给定类或接口实现的接口

描述

class_implements(object|string $object_or_class, bool $autoload = true): array|false

此函数返回一个数组,其中包含给定 object_or_class 及其父类实现的接口名称。

参数

object_or_class

一个对象(类实例)或一个字符串(类或接口名称)。

autoload

是否要 自动加载 如果尚未加载。

返回值

成功时返回一个数组,如果给定的类不存在则返回 false

示例

示例 #1 class_implements() 示例

<?php

interface foo { }
class
bar implements foo {}

print_r(class_implements(new bar));

// 您也可以将参数指定为字符串
print_r(class_implements('bar'));

spl_autoload_register();

// 使用自动加载来加载 'not_loaded' 类
print_r(class_implements('not_loaded', true));

?>

以上示例将输出类似以下内容

Array
(
    [foo] => foo
)
Array
(
    [foo] => foo
)
Array
(
    [interface_of_not_loaded] => interface_of_not_loaded
)

备注

注意: 要检查一个对象是否实现了某个接口,请使用 instanceofis_a() 函数。

参见

添加备注

用户贡献的备注 4 个备注

ludvig dot ericson at gmail dot nospam dot com
19 年前
提示
<?php
in_array
("your-interface", class_implements($object_or_class_name));
?>
将检查 'your-interface' 是否是实现的接口之一。
请注意,您可以使用类似的方法来确保类只实现该接口(无论出于何种原因您想要这样做)。
<?php
array("your-interface") == class_implements($object_or_class_name);
?>

我使用第一种技术来检查模块是否实现了正确的接口,否则会抛出异常。
a dot panek at brainsware dot org
10 年前
使用不可加载的类名或非对象调用 class_implements 会导致警告

<?php
// Warning: class_implements(): Class abc does not exist and could not be loaded in /home/a.panek/Projects/sauce/lib/Sauce/functions.php on line 196

$interfaces = class_implements('abc');
?>

这没有在文档中说明,应该像上面文档中所说的那样返回 FALSE。
trollll23 at yahoo dot com
18 年前
幸运的是,它也会以逆序打印出超接口,因此迭代搜索可以正常工作

<?php

interface InterfaceA { }

interface
InterfaceB extends InterfaceA { }

class
MyClass implements InterfaceB { }

print_r(class_implements(new MyClass()));

?>

打印出

数组
(
[InterfaceB] => InterfaceB
[InterfaceA] => InterfaceA
)
sam at rmcreative dot ru
5 年前
接口的顺序不可靠,并且在不同 PHP 版本之间会有所不同。
To Top