search
HomeBackend DevelopmentPHP TutorialLet's start with the underlying working principles of PHP_PHP Tutorial

I have done .net and java development before, and I have also written several Php websites. It seems that I have been exposed to all three major programming languages. But more and more I feel that I lack an overall understanding of the entire programming process, especially the underlying mechanism. For example, network programming, compilation principles, server side, database storage engine principles, etc. So I read some books, the more classic ones include apue, unp, tcp/ip, nginx, mysql's innodb storage engine, and have a deep understanding of jvm. Gradually I discovered that no matter what language is used for development, there are linux, shell, c/c++, nginx server, and mysql behind it. Perhaps only by mastering these core principles can a programmer have core competitiveness.

The back-end part of BAT is inseparable from these core technologies, but the front-end (business logic layer) will be different. For example, Taobao mainly uses Java, and Baidu mainly uses PHP. Tencent is a tool-controlled group and mainly uses c/c++ technology. Tencent's main products are various clients (qq, input method, music...the most important thing is games) and servers under Windows. Relatively speaking, there are relatively few web products (QQ Space, Friends Network, etc.). These web products are relatively mature, and they only occasionally make improvements. Unless new products emerge, there will not be a large demand for talent.

Although the demand for talents in the fields of machine learning and big data mining seems to be relatively strong at present, related technologies still need to be built on Linux and JVM. The demand for Java talents in some companies will further increase.

Now that I understand the process of C language compilation and connection, and the running mechanism of Java under JVM, I am suddenly curious about the running process, mechanism and principle of PHP. I found a few blogs and got a rough idea. Put it below first:

The underlying working principle of PHP

Introduction
Let’s take a look at the process below:

    We have never manually started the PHP related process, it runs with the startup of Apache; PHP is connected to Apache through the mod_php5.so module (specifically, SAPI, the server application programming interface); PHP has a total of three Modules: kernel, Zend engine, and extension layer; PHP kernel is used to process requests, file streams, error handling and other related operations; Zend engine (ZE) is used to convert source files into machine language and then run it on a virtual machine; The extension layer is a set of functions, libraries, and streams that PHP uses to perform specific operations. For example, we need the mysql extension to connect to the MySQL database; when ZE executes the program, it may need to connect to several extensions. At this time, ZE hands over the control to the extension and returns it after processing the specific task; finally, ZE returns the program running results. to the PHP kernel, which then transmits the results to the SAPI layer and finally outputs them to the browser.

    In-depth discussion
    Wait, it’s not that simple. The above process is just a simplified version, let’s dig a little deeper to see what else is going on behind the scenes.

      After Apache is started, the PHP interpreter is also started; the PHP startup process has two steps; the first step is to initialize some environment variables, which will take effect throughout the SAPI life cycle; the second step is to generate only the current request Some variables are set.

      The first step to start PHP
      Not sure what the first and second steps are? Don’t worry, we’ll discuss this in detail next. Let's look at the first and most important step first. The thing to remember is that the first step of the operation happens before any requests arrive.

        After starting Apache, the PHP interpreter also starts; PHP calls the MINIT method of each extension to switch these extensions to an available state. Take a look at what extensions are opened in the php.ini file; MINIT means "module initialization". Each module defines a set of functions, class libraries, etc. to handle other requests.

        A typical MINIT method is as follows:
        PHP_MINIT_FUNCTION(extension_name){
        /* Initialize functions, classes etc */
        }
        The second step of PHP startup

          When a page request occurs, the SAPI layer hands over control to the PHP layer. So PHP sets the environment variables needed to reply to this request. At the same time, it also creates a variable table to store variable names and values ​​generated during execution. PHP calls the RINIT method of each module, which is "request initialization". A classic example is the RINIT of the Session module. If the Session module is enabled in php.ini, the $_SESSION variable will be initialized and the relevant content will be read in when the RINIT of the module is called; the RINIT method can be regarded as a The preparation process starts automatically between program executions.

          A typical RINIT method is as follows:
          PHP_RINIT_FUNCTION(extension_name) {
          /* Initialize session variables, pre-populate variables, redefine global variables etc */
          }
          The first step to close PHP
          Just like PHP startup, PHP shutdown is also divided into two steps:

            Once the page is executed (whether it reaches the end of the file or is terminated with the exit or die function), PHP will start the cleanup process. It will call the RSHUTDOWN method of each module in sequence. RSHUTDOWN is used to clear the symbol table generated when the program is running, that is, to call the unset function on each variable.

            A typical RSHUTDOWN method is as follows:
            PHP_RSHUTDOWN_FUNCTION(extension_name) {
            /* Do memory management, unset all variables used in the last PHP call etc */
            }
            The second step of PHP shutdown
            Finally, all requests have been processed, SAPI is ready to be closed, and PHP begins to execute the second step:

              PHP calls the MSHUTDOWN method of each extension, which is the last chance for each module to release memory.

              A typical RSHUTDOWN method is as follows:
              PHP_MSHUTDOWN_FUNCTION(extension_name) {
              /* Free handlers and persistent memory etc */
              }
              In this way, the entire PHP life cycle is over. It should be noted that the "starting step one" and "closing step two" will only be executed if there is no request from the server.

              The following is illustrated with some diagrams!

              The underlying working principle of PHP

              Lets start with the underlying working principles of PHP_PHP Tutorial

              Figure 1 PHP structure

              As can be seen from the picture, PHP is a 4-layer system from bottom to top

              ①Zend Engine

              Zend is implemented entirely in pure C and is the core part of PHP. It translates PHP code (a series of compilation processes such as lexical and syntax analysis) into executable opcode processing and implements corresponding processing methods and implements basic data structures (such as hashtable, oo), memory allocation and management, and provides corresponding api methods for external calls. It is the core of everything. All peripheral functions are implemented around zend.

              ②Extensions

              Around the zend engine, extensions provide various basic services in a component-based manner. Our common various built-in functions (such as array series), standard libraries, etc. are all implemented through extensions. Users can also implement their own extensions as needed. To achieve functions expansion, performance optimization and other purposes (for example, the PHP middle layer and rich text parsing currently used by Tieba are typical applications of extension).

              ③Sapi

              The full name of Sapi is Server Application Programming Interface, which is the server application programming interface. Sapi enables PHP to interact with peripheral data through a series of hook functions. This is a very elegant and successful design of PHP. Through sapi, PHP itself and The upper-layer application is decoupled and isolated. PHP can no longer consider how to be compatible with different applications, and the application itself can also implement different processing methods according to its own characteristics. It will be introduced later in the sapi chapter

              ④Upper layer application

              This is the PHP program we usually write. We can obtain various application modes through different sapi methods, such as implementing web applications through webserver, running them in script mode on the command line, etc.

              Architectural ideas:

              The engine (Zend) + component (ext) model reduces internal coupling

              The middle layer (sapi) isolates the web server and php

              *************************************************** ************************

              If php was a car, then

              The framework of the car is php itself

              Zend is the engine of the car

              The various components under Ext are the wheels of the car

              Sapi can be regarded as a road, and cars can run on different types of roads

              The execution of a PHP program is a car running on the road.

              Therefore, we need: excellent engine + suitable wheels + correct runway

              The relationship between Apache and php

              Apache's parsing of php is completed through the php Module among many Modules.

              Lets start with the underlying working principles of PHP_PHP Tutorial

              To finally integrate PHP into the Apache system, you need to make some necessary settings for Apache. Here, we will take the mod_php5 SAPI operating mode of php as an example to explain. As for the concept of SAPI, we will explain it in detail later.

              Assuming that the versions we installed are Apache2 and Php5, then we need to edit Apache’s main configuration file http.conf and add the following lines to it:

              In Unix/Linux environment:

              LoadModule php5_module modules/mod_php5.so

              AddType application/x-httpd-php .php

              Note: modules/mod_php5.so is the installation location of the mod_php5.so file in the X system environment.

              In Windows environment:

              LoadModule php5_module d:/php/php5apache2.dll

              AddType application/x-httpd-php .php

              Note: d:/php/php5apache2.dll is the installation location of the php5apache2.dll file in the Windows environment.

              These two configurations tell Apache Server that any URL user requests received in the future with php as the suffix will need to call the php5_module module (mod_php5.so/php5apache2.dll) for processing.

              Apache life cycle

              Apach’s request processing process

              Detailed explanation of Apache request processing loop
              What do the 11 stages of the Apache request processing cycle do? (Are these 11 stages the corresponding 11 processing stages in nginx???) 喎?http://www.Bkjia.com/kf/ware/vc/" target="_blank" class="keylink">vcD4KPHA CjGholBvc3QtUmVhZC1SZXF1ZXN0vde2zjwvcD4KPHA CiAgICDU2tX9s6PH68fztKbA7cH3s8zW0KOs1eLKx8Sjv m/ydLUsuXI67 mz19O1xLXa0ru49r3Xts6ho7bU09rEx9Cpz u63NTnvfjI67SmwO3H68fztcTEo7/pwLTLtaOs1eK49r3Xts6/ydLUsbvA 9PDoaM8L3A CjxwPgogICAgMqGiVVJJIFRyYW5zbGF0aW9uv de2ziA8YnI CiAgICBBcGFjaGXU2rG vde2zrXE1vfSqrmk1/ejur2rx vH87XEVVJM07PJ5LW9sb612M7EvP7Ptc2zoaPEo7/pv8nS1NTa1eK917bOsuXI67mz19OjrNa00NDX1Ly6tcTTs8nk wt 8raGjbW9kX2FsaWFzvs3Kx8D708PV4rj2vde2zrmk1/e1xKGjPC9wPgo8cD4KICAgIDOhokhlYWRlciBQYXJzaW5nvde2ziA8YnI CiAgICBBcGFjaGXU2rG vde2zrXE1vfSqrmk1/ejurzssunH68 fztcTNt7K/ oaPTydPaxKO/6b/J0tTU2sfrx/O0psDtwfezzLXEyM66ztK7uPa148nP1rTQ0LzssunH68fzzbeyv7XEyM7O8aOs0vK0y9XiuPa5s9fTutzJ2bG7yrnTw6GjbW9kX3NldGVudmlmvs3Kx8D 708PV4rj2vde2zrmk1/e1xKGjPC9wPgo8cD4KICAgIDShokFjY2VzcyBDb250cm9svde2ziA8YnI CiAgICBBcGFjaGXU2rG vde2zrXE1vfSqrmk1/ejurj5vt3F5NbDzsS8/rzssunKx7fx1MrQ7b fDzsrH68fztcTXytS0oaNBcGFjaGW1xLHq17zC37ytyrXP1sHL1MrQ7brNvty Na4we6ho21vZF9hdXRoel9ob3N0vs3Kx8D708PV4rj2vde2zrmk1/e1xKGjPC9wPgo8cD4KICAgIDWhokF1dGhlbnRp 8f40/Kho8Sjv m/ ydLU1NrV4r3Xts6y5cjrubPX06OsyrXP1tK7uPbIz9akt723qKGjPC9wPgo8cD4KICAgIDaho kF1dGhvcml6YXRpb26917bOIDxicj4KICAgIEFwYWNoZdTasb6917bOtcTW99KquaTX96O6uP m 3cXk1sPOxLz vOyy6crHt/HUytDtyM/WpLn9tcTTw7un1rTQ0Mfrx/O1xLLZ1/eho8Sjv m/ydLU1NrV4r3Xts6y5cjrubPX06OsyrXP1tK7uPbTw7unyKjP3rncwO21xLe9t6ihozw vcD4KPHA CiAgICA3oaJNSU1FIFR5cGUgQ2hlY2tpbme917bOIDxicj4KICAgIEFwYWNoZdTasb6917bOtcTW99KquaTX96O6uPm 3cfrx/PXytS0tcRNSU1FwODQzbXEz C52Lnm1PKjrMXQtqi9q9Kqy rnTw7XExNrI3bSmwO26r8r9oaOx6te8xKO/6W1vZF9uZWdvdGlhdGlvbrrNbW9kX21pbWXKtc/WwcvV4rj2ubPX06GjPC9wPgo8cD4KICAgIDihokZpeFVwvde2ziA8YnI CiAgICDV4sr H0ru49s2o08O1xL3Xts6jrNTK0O3Eo7/p1NrE2sjdyfqzycb31q7HsKOs1MvQ0MjOus6x2NKqtcS0psDtwfezzKGjus1Qb3N0X1JlYWRfUmVxdWVzdMDgJiMyMDI4NDujrNXiysfSu7j2xN y5u7K2u /HIzrrO0MXPorXEubPX06Os0rLKx9fus6PKudPDtcS5s9fToaM8L3A CjxwPgogICAgOaGiUmVzcG9uc2W917bOIDxicj4KICAgIEFwYWNoZdTasb6917bOtcTW99KquaTX96O6yfqzybe1u9i/zbuntsu1x MTayN2jrLi61PC4 L/Nu6e2y7eiy83Su7j2x6G1sbXEu9i4tKGj1eK49r3Xts7Kx9X7uPa0psDtwfezzLXEusvQxLK/t9ahozwvcD4KPHA CiAgICAxMKGiTG9nZ2luZ73Xts4gPGJyPgogICAgQXBhY 2hl1Nqxvr3Xts61xNb30qq5pNf3o7rU2rvYuLTS0b6tt6LLzbj4v827p7bL1q6687zHw rzKws7xoaPEo7/pv8nE3NDeuMS78tXfzOa7u0FwYWNoZbXEserXvMjV1r68x8K8oaM8L 3 A 87EvP6hosS/wry1xLSmwO278tXfU29ja2V0tcS52LHVtci1yKOs1eLKx0FwYWNoZdK7tM7H68fztKbA7bXE1 6689K7uPa917bOoaM8L3A CjxwPgo8c3Ryb25nPkxBTVC83Lm5o7o8 L3N0cm9uZz48L3A ​​CjxwPgo8aW1nIHNyYz0="http://www.2cto.com/uploadfile/Collfiles/20140607/20140607091102327.gif" alt="  b簗 ﹊萟?钅裣i啔a 篧综合?{鷌?*??sNa拉?'瞝_椐鷌rough铻 Yu?凓i僃i?耉彦y? m4簖html

              Baidu R&D Center’s blog http://stblog.baidu-tech.com/?p=763

              Wang Xingbin’s blog http://blog.csdn.net/wanghao72214/article/details/3916825

              www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/780964.htmlTechArticleI have done .net, java development before, and also written several Php websites, almost 3 major programming languages All contacted. But I feel more and more that I lack an overall understanding of the entire programming process...
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
趣谈ChatGPT原理及算法趣谈ChatGPT原理及算法Apr 27, 2023 pm 08:46 PM

​去年12月1日,OpenAI推出人工智能聊天原型ChatGPT,再次赚足眼球,为AI界引发了类似AIGC让艺术家失业的大讨论。ChatGPT是一种专注于对话生成的语言模型。它能够根据用户的文本输入,产生相应的智能回答。这个回答可以是简短的词语,也可以是长篇大论。其中GPT是GenerativePre-trainedTransformer(生成型预训练变换模型)的缩写。通过学习大量现成文本和对话集合(例如Wiki),ChatGPT能够像人类那样即时对话,流畅的回答各种问题。(当然回答速度比人还是

深入解析MySQL MVCC 原理与实现深入解析MySQL MVCC 原理与实现Sep 09, 2023 pm 08:07 PM

深入解析MySQLMVCC原理与实现MySQL是目前最流行的关系型数据库管理系统之一,它提供了多版本并发控制(MultiversionConcurrencyControl,MVCC)机制来支持高效并发处理。MVCC是一种在数据库中处理并发事务的方法,可以提供高并发和隔离性。本文将深入解析MySQLMVCC的原理与实现,并结合代码示例进行说明。一、M

深入解析Struts2框架的工作原理与实现方式深入解析Struts2框架的工作原理与实现方式Jan 05, 2024 pm 04:08 PM

解读Struts2框架的原理及实现方式引言:Struts2作为一种流行的MVC(Model-View-Controller)框架,被广泛应用于JavaWeb开发中。它提供了一种将Web层与业务逻辑层分离的方式,并且具有灵活性和可扩展性。本文将介绍Struts2框架的基本原理和实现方式,同时提供一些具体的代码示例来帮助读者更好地理解该框架。一、框架原理:St

浅析:ChatGPT应用的底层原理浅析:ChatGPT应用的底层原理Apr 13, 2023 am 08:37 AM

ChatGPT 无疑是最近网络中最靓的仔,小汪哥通过这段时间的使用,加上对一些资料的查阅,了解了一些背后的原理,试图讲解一下ChatGPT应用的底层原理。如果有不正确的地方,欢迎指正。阅读本文可能为会你解答以下问题:为什么有的ChatGPT 收费,有的不收费?为什么ChatGPT是一个字一个字地回答的?为什么中文问题的答案有时候让人啼笑皆非?为什么你问它今天是几号,它的回答是过去的某个时间?为什么有的问题会拒绝回答?“ChatGPT 国内版” 运行原理随着ChatGPT的爆火,出现了很多国内版,

深入探究Maven生命周期的功能和机制深入探究Maven生命周期的功能和机制Jan 04, 2024 am 09:09 AM

深入理解Maven生命周期的作用与原理Maven是一款非常流行的项目管理工具,它使用一种灵活的构建模型来管理项目的构建、测试和部署等任务。Maven的核心概念之一就是生命周期(Lifecycle),它定义了一系列阶段(Phase)和每个阶段的目标(Goal),帮助开发人员和构建工具按照预定的顺序执行相关操作。Maven的生命周期主要分为三套:Clean生命周

深入理解Java反射机制的原理与应用深入理解Java反射机制的原理与应用Dec 23, 2023 am 09:09 AM

深入理解Java反射机制的原理与应用一、反射机制的概念与原理反射机制是指在程序运行时动态地获取类的信息、访问和操作类的成员(属性、方法、构造方法等)的能力。通过反射机制,我们可以在程序运行时动态地创建对象、调用方法和访问属性,而不需要在编译时知道类的具体信息。反射机制的核心是java.lang.reflect包中的类和接口。其中,Class类代表一个类的字节

了解PHP底层开发原理:基础知识和概念介绍了解PHP底层开发原理:基础知识和概念介绍Sep 10, 2023 pm 02:31 PM

了解PHP底层开发原理:基础知识和概念介绍作为一名PHP开发者,了解PHP底层开发原理是非常重要的。正因为如此,本文将介绍PHP底层开发的基础知识和概念,帮助读者更好地理解和应用PHP。一、什么是PHP?PHP(全称:HypertextPreprocessor)是一门开源的脚本语言,主要用于Web开发。它可以嵌入到HTML文档中,通过服务器解释执行,并生成

PHP邮件队列系统的原理和实现方式是什么?PHP邮件队列系统的原理和实现方式是什么?Sep 13, 2023 am 11:39 AM

PHP邮件队列系统的原理和实现方式是什么?随着互联网的发展,电子邮件已经成为人们日常生活和工作中必不可少的通信方式之一。然而,随着业务的增长和用户数量的增加,直接发送电子邮件可能会导致服务器性能下降、邮件发送失败等问题。为了解决这个问题,可以使用邮件队列系统来通过串行队列的方式发送和管理电子邮件。邮件队列系统的实现原理如下:邮件入队列当需要发送邮件时,不再直

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

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

Hot Tools

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

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.