关于接口,首先要了解的是它们不用于继承。这是一件非常重要的事情要理解。如果您尝试使多个类共享相同的具体代码,则这不是接口的用途。
要了解的第二件事是客户端代码和服务代码之间的区别。
客户端代码本质上是一系列数据请求中的“最后一步”。MVC 中的控制器或视图可以被视为客户端代码。同时,该模型可以被视为服务代码。
接口旨在供客户端代码使用,以强制实现从服务获取的数据类型的一致性。或者另一种思考方式 - 接口是服务确保它们与来自客户端代码的请求兼容的一种方式。这就是他们所做的一切。从字面上看,它们提供了一个访问数据的接口,而不是多个类可以共享的实现。
举个具体的例子:
客户端代码 - 用于用户论坛配置文件的 ProfileViewController 类
class ProfileViewController
{
public function showProfile(User $user)
{
$user->getProfile();
}
}
服务代码 - 一种用户模型,用于检索数据并将其传递给请求数据的客户端代码
class User
{
public function getProfile()
{
$profile = Do some SQL query here or something
return $profile;
}
}
现在假设稍后您决定将用户分解为成员,管理员,裁判,版主,作家,编辑等,并且每个人都有自己独特的个人资料类型。(例如,它自己的自定义查询,或数据,或者你有什么)
现在这里存在两个问题:
- 您需要保证您传入的任何内容都将包含 getProfile() 方法。
- showProfile() 如果传入 User 对象以外的任何内容,则将失败。
1很容易通过抽象类和方法(或通过接口)解决。2起初听起来也很容易,因为您只需将版主,管理员和成员设置为用户基类的所有子类即可。
但是,除了USER配置文件之外,您还希望拥有事物的通用配置文件时会发生什么。也许你想显示运动员的个人资料,甚至是名人的个人资料。他们不是用户,但他们仍然有个人资料/详细信息页面。
因为他们不是用户,所以将他们视为User的子类可能没有任何意义。
所以现在你有点卡住了。showProfile() 需要能够接受的不仅仅是一个 User 对象。事实上,你不知道你最终想要传递什么类型的物体。但与此同时,由于你总是希望能够获取$user>getProfile(),你传入的任何内容都必须足够通用才能传递,并实现一个具体的getProfile()方法。
溶液?接口!!!!!
首先一些服务代码
// First define an interface for ANY service object that will have a profile
interface IHasProfile
{
public function getProfile();
}
// Next, define the class for an object that should have a profile. I'll do a bunch for the sake of an example...
class User implements IHasProfile
{
public function getProfile()
{
$profile = Your unique user profile query here
return $profile;
}
}
class Celebrity implements IHasProfile
{
public function getProfile()
{
$profile = Your unique celebrity profile query here
return $profile;
}
}
class Car implements IHasProfile
{
public function getProfile()
{
$profile = Your unique vehicle profile query goes here
return $profile;
}
}
接下来,将使用它的客户端代码
class ProfileViewController
{
public function showProfile(IHasProfile $obj)
{
$obj->getProfile();
}
}
你有它。showProfile() 现在已经足够抽象了,它不关心它得到什么对象,它只关心对象有一个公共 getProfile() 方法。所以现在你可以根据你心中的内容创建新的对象类型,如果它们打算具有配置文件,你可以给它们“实现IHasProfile”,它们将自动与showProfile()一起使用。
这是一个人为的例子,但它至少应该说明接口的概念。
当然,你可以只是“懒惰”,根本不对对象进行类型转换,从而允许传入任何对象。但这是一个完全不同的话题,完全;)