接口
2022-10-18 22:12:27内容摘要
接口,使用接口(interface),你可以指定某个类必须实现哪些方法,但不需要定义这些方法的具体内容。我们可以通过interface来定义一个接口,就像定义一个标准的类一样,但其中定义所有的方法都是空的。
文章正文
接口
使用接口(interface),你可以指定某个类必须实现哪些方法,但不需要定义这些方法的具体内容。
我们可以通过interface来定义一个接口,就像定义一个标准的类一样,但其中定义所有的方法都是空的。
接口中定义的所有方法都必须是public,这是接口的特性。
实现
要实现一个接口,可以使用implements操作符。类中必须实现接口中定义的所有方法,否则 会报一个fatal错误。如果要实现多个接口,可以用逗号来分隔多个接口的名称。
Note:
实现多个接口时,接口中的方法不能有重名。
Note:
接口也可以继承,通过使用extends操作符。
常量
接口中也可以定义常量。接口常量和类常量的使用完全相同。 它们都是定值,不能被子类或子接口修改。
范例
Example #1 接口代码示例
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 | <span style= "font-size:14px;" ><code><?php // 声明一个'iTemplate'接口 interface iTemplate { public function setVariable( $name , $var ); public function getHtml( $template ); } // 实现接口 // 下面的写法是正确的 class Template implements iTemplate { private $vars = array (); public function setVariable( $name , $var ) { $this ->vars[ $name ] = $var ; } public function getHtml( $template ) { foreach ( $this ->vars as $name => $value ) { $template = str_replace ( '{' . $name . '}' , $value , $template ); } return $template ; } } // 下面的写法是错误的,会报错: // Fatal error: Class BadTemplate contains 1 abstract methods // and must therefore be declared abstract (iTemplate::getHtml) class BadTemplate implements iTemplate { private $vars = array (); public function setVariable( $name , $var ) { $this ->vars[ $name ] = $var ; } } ?></code></span> |
Example #2 Extendable Interfaces
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 | <span style= "font-size:14px;" ><code><?php interface a { public function foo(); } interface b extends a { public function baz(Baz $baz ); } // 正确写法 class c implements b { public function foo() { } public function baz(Baz $baz ) { } } // 错误写法会导致一个fatal error class d implements b { public function foo() { } public function baz(Foo $foo ) { } } ?></code></span> |
Example #3 多个接口间的继承
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 | <span style= "font-size:14px;" ><code> } } { public function baz() } { public function bar() } { public function foo() { class d implements c } public function baz(); { interface c extends a, b } public function bar(); { interface b } public function foo(); { interface a <?php</code></span> |
?>
Example #4 使用接口常量
1 2 3 4 5 6 | <span style= "font-size:14px;" ><code> } const b = 'Interface constant' ; { interface a <?php</code></span> |
// 输出接口常量
1 | <span style= "font-size:14px;" > echo a::b;</span> |
// 错误写法,因为常量的值不能被修改。接口常量的概念和类常量是一样的。
1 2 3 4 5 | <span style= "font-size:14px;" ><code> class b implements a { const b = 'Class constant' ; } ?></code></span> |
代码注释