search
HomeBackend DevelopmentPHP Tutorial[Modern PHP] Chapter 2 New Features 2 Interface-based Programming

Interface-based programming

As a PHP programmer, learning how to program based on interfaces has changed my life and greatly improved my ability to improve my projects by integrating third-party PHP components. Interfaces are not a new feature, but they are important features that you must understand and use in your daily work.

So what exactly is the interface of PHP? An interface is a contract between two PHP objects. When one object calls another object, it does not need to know what the other party is, but only needs to know what the other party can do. Interfaces can reduce the coupling of our code's dependencies, allowing our code to call any third-party code that implements the desired interface. We only need to care about whether the third-party code implements the interface, and we don't need to care at all about how the third-party code implements these interfaces. Let's look at a real-life example.

Suppose I go to Miami, Florida to attend the Sunshine PHP Developer Conference. I wanted to explore the city so I went straight to the local car rental agency. They had a modern compact car, a Subaru station wagon and a Bugatti Veyron (to my surprise). I knew I just wanted some form of transportation to get around town, and all three of these vehicles would fit my needs. But each car is so different. The Hyundai Accent is not bad, but I like something a little more dynamic. I don’t have kids, so the station wagon is still a bit big. So, okay, just choose Bugatti.

The reality is that I can drive any of these three cars because they all share a common, known interface. Every car has a steering wheel, a gas pedal, a brake pedal and turn signals, and every car uses gasoline as fuel. But the Bugatti's power is so powerful that I can't handle it, but the driving interface of the modern car is exactly the same. Because all three cars share the same known interface, I have the opportunity to choose the model I like better (to be honest, I will probably choose Hyundai in the end).

The same concept exists in the object-oriented aspect of PHP. If my code uses objects of a specific class (representing a specific implementation), then the functionality of my code becomes very limited, because it can only use objects of that class forever. However, if my code is going to use an interface, my code will immediately know how to use any object that implements the interface. My code doesn't care at all about how the interface is implemented. My code only cares about whether the object implements the interface. Let's use an example to explain it all.

Suppose we have a PHP class named DocumentStore that can get data from different data sources. It can get HTML from a remote address, read data from the document stream, and get terminal commands. line output. Each document saved in a DocumentStore instance has a unique ID. Example 2-6 shows the DocumentStore class.

Example 2-6 Definition of DocumentStore class

class DocumentStore
{
    protected $data = [];

    public function addDocument(Documentable $document)
    {
        $key = $document->getId();
        $value = $document->getContent();
        $this->data[$key] = $value;
    }

    public function getDocuments()
    {
        return $this->data;
    }
}

If the addDocument method only receives instances of the Documentable class as parameters, how can we achieve the function described above? Very good at observation. In fact, Documentable is not a class, but an interface. Take a look at the definition of the interface in Example 2-7

Example 2-7 The definition of Documentable interface

interface Documentable
{
    public function getId();
    public function getContent();
}

In the definition of the interface we can see any implementation Objects of the Documentable interface must define a public getId() method and a public getContent() method.

So what are the benefits of doing this? The advantage is that we can construct multiple document acquisition classes with different functions. Example 2-8 shows an interface implementation that obtains HTML from a remote address through curl.

Example 2-8 Definition of HtmlDocument class

<?php class HtmlDocument implements Documentable
{
    protected $url;

    public function __construct($url)
    {
        $this->url = $url;
    }

    public function getId()
    {
        return $this->url;
    }

    public function getContent()
    {
        $ch = curl_init();
        curl_setopt($ch, CURLOPT_URL, $this->url);
        curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
        curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, 3);
        curl_setopt($ch, CURLOPT_FOLLOWLOCATION, 1);
        curl_setopt($ch, CURLOPT_MAXREDIRS, 3);
        $html = curl_exec($ch);
        curl_close($ch);

        return $html;
    }
}

Another implementation (Example 2-9) can read the data stream from a given resource.

Example 2-9 Definition of StreamDocument class

<?php class StreamDocument implements Documentable
{
    protected $resource;
    protected $buffer;

    public function __construct($resource, $buffer = 4096)
    {
        $this->resource = $resource;
        $this->buffer = $buffer;
    }

    public function getId()
    {
        return 'resource-' . (int)$this->resource;
    }

    public function getContent()
    {
        $streamContent = '';
        rewind($this->resource);
        while (feof($this->resource) === false) {
            $streamContent .= fread($this->resource, $this->buffer);
        }

        return $streamContent;
    }
}

The last implementation (Example 2-10) can execute a terminal command and obtain the execution results

Example 2-10 Definition of CommandOutputDocument class

<?php class CommandOutputDocument implements Documentable
{
    protected $command;

    public function __construct($command)
    {
        $this->command = $command;
    }

    public function getId()
    {
        return $this->command;
    }

    public function getContent()
    {
        return shell_exec($this->command);
    }
}

Example 2-11 shows how we use the DocumentStore class to operate the three document collection classes that implement the Documentable interface

Example 2-11 DocumentStore

<?php $documentStore = new DocumentStore();

// Add HTML document
$htmlDoc = new HtmlDocument(&#39;http://php.net&#39;);
$documentStore->addDocument($htmlDoc);

// Add stream document
$streamDoc = new StreamDocument(fopen('stream.txt', 'rb'));
$documentStore->addDocument($streamDoc);

// Add terminal command document
$cmdDoc = new CommandOutputDocument('cat /etc/hosts');
$documentStore->addDocument($cmdDoc);

print_r($documentStore->getDocuments());

The biggest highlight of this is the HtmlDocument, StreamDocument and CommandOutputDocument classes Except for the consistent interface, other aspects are completely different.

Today, programming interfaces creates more flexible code, and we no longer care about the specific implementation, but leave these tasks to others. More and more people (such as your colleagues, users of your open source projects, or developers you have never met) can write code that works seamlessly with you, and they just need to understand Just interface.

The above introduces [Modern PHP] Chapter 2 New Features 2 Interface-based Programming, including aspects of content. I hope it will be helpful to friends who are interested in PHP tutorials.

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
function是什么意思function是什么意思Aug 04, 2023 am 10:33 AM

function是函数的意思,是一段具有特定功能的可重复使用的代码块,是程序的基本组成单元之一,可以接受输入参数,执行特定的操作,并返回结果,其目的是封装一段可重复使用的代码,提高代码的可重用性和可维护性。

iOS的developer版和public版有什么区别?iOS的developer版和public版有什么区别?Mar 01, 2024 pm 12:55 PM

每年Apple发布新的iOS和macOS大版本之前,用户都可以提前几个月下载测试版抢先体验一番。由于公众和开发人员都使用该软件,所以苹果公司为两者推出了developer和public版即开发者测试版的公共测试版。iOS的developer版和public版有什么区别呢?从字面上的意思来说,developer版是开发者测试版,public版是公共测试版。developer版和public版面向的对象不同。developer版是苹果公司给开发者测试使用的,需要苹果开发者帐号才可以收到下载并升级,是

MySQL.proc表的作用和功能详解MySQL.proc表的作用和功能详解Mar 16, 2024 am 09:03 AM

MySQL.proc表的作用和功能详解MySQL是一种流行的关系型数据库管理系统,开发者在使用MySQL时常常会涉及到存储过程(StoredProcedure)的创建和管理。而MySQL.proc表则是一个非常重要的系统表,它存储了数据库中所有的存储过程的相关信息,包括存储过程的名称、定义、参数等。在本文中,我们将详细解释MySQL.proc表的作用和功能

"enumerate()"函数在Python中的用途是什么?"enumerate()"函数在Python中的用途是什么?Sep 01, 2023 am 11:29 AM

在本文中,我们将了解enumerate()函数以及Python中“enumerate()”函数的用途。什么是enumerate()函数?Python的enumerate()函数接受数据集合作为参数并返回一个枚举对象。枚举对象以键值对的形式返回。key是每个item对应的索引,value是items。语法enumerate(iterable,start)参数iterable-传入的数据集合可以作为枚举对象返回,称为iterablestart-顾名思义,枚举对象的起始索引由start定义。如果我们忽

Vue.use函数的用法和作用Vue.use函数的用法和作用Jul 24, 2023 pm 06:09 PM

Vue.use函数的用法和作用Vue是一款流行的前端框架,它提供了许多有用的功能和功能。其中之一就是Vue.use函数,它可以让我们在Vue应用中使用插件。本文将介绍Vue.use函数的用法和作用,并且提供一些代码示例。Vue.use函数的基本用法非常简单,只需在Vue实例化之前调用它,并传入要使用的插件作为参数。下面是一个简单的示例://引入并使用插件

在PHP中的file_exists()函数在PHP中的file_exists()函数Sep 14, 2023 am 08:29 AM

file_exists方法检查文件或目录是否存在。它接受要检查的文件或目录的路径作为参数。以下是它的用途-当您需要在处理之前知道文件是否存在时,它非常有用。这样,在创建新文件时使用此函数即可知道该文件是否已存在。语法file_exists($file_path)参数file_path-设置要检查是否存在的文件或目录的路径。必需。返回file_exists()方法返回。如果文件或目录存在,则返回TrueFalse,如果文件或目录不存在示例让我们看一个检查“candidate.txt”文件和即使文件

js函数function用法是什么js函数function用法是什么Oct 07, 2023 am 11:25 AM

js函数function用法有:1、声明函数;2、调用函数;3、函数参数;4、函数返回值;5、匿名函数;6、函数作为参数;7、函数作用域;8、递归函数。

一篇搞懂this指向,赶超70%的前端人一篇搞懂this指向,赶超70%的前端人Sep 06, 2022 pm 05:03 PM

同事因为this指向的问题卡住的bug,vue2的this指向问题,使用了箭头函数,导致拿不到对应的props。当我给他介绍的时候他竟然不知道,随后也刻意的看了一下前端交流群,至今最起码还有70%以上的前端程序员搞不明白,今天给大家分享一下this指向,如果啥都没学会,请给我一个大嘴巴子。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.