Required knowledge points
Closure
Closed Packages and anonymous functions were introduced in PHP5.3.0
.
Closure refers to:
A function that encapsulates the surrounding state when created. Even if the environment in which the closure is located no longer exists, the state encapsulated in the closure still exists.
Theoretically, closures and anonymous functions are different concepts. But PHP treats it as the same concept.
In fact, closures and anonymous functions are objects disguised as functions. They are instances of the Closure
class.
Closures, like strings and integers, are first-class value types.
Create closure:
<?php $closure = function ($name) { return 'Hello ' . $name; }; echo $closure('nesfo');//Hello nesfo var_dump(method_exists($closure, '__invoke'));//true
The reason why we can call the $closure
variable is because the value of this variable is a closure, and The closure object implements the __invoke()
magic method. As long as there is () after the variable name, PHP will find and call the __invoke()
method.
Usually PHP closures are used as callbacks of functions.
array_map()
, preg_replace_callback()
methods all use callback functions. This is the best time to use closures!
For example:
<?php $numbersPlusOne = array_map(function ($number) { return $number + 1; }, [1, 2, 3]); print_r($numbersPlusOne);
Get the result:
[2, 3, 4]
Before closures appeared, you could only create named functions individually and then reference that function by name. By doing this, the code execution will be slightly slower, and the implementation of the callback will be isolated from the usage scenario.
<?php function incrementNum ($number) { return $number + 1; } $numbersPlusOne = array_map('incrementNum', [1, 2, 3]); print_r($numbersPlusOne);
SPL
ArrayAccess
implements the ArrayAccess
interface, which allows objects to operate like arrays . The ArrayAccess interface contains four methods that must be implemented:
interface ArrayAccess { //检查一个偏移位置是否存在 public mixed offsetExists ( mixed $offset ); //获取一个偏移位置的值 public mixed offsetGet( mixed $offset ); //设置一个偏移位置的值 public mixed offsetSet ( mixed $offset ); //复位一个偏移位置的值 public mixed offsetUnset ( mixed $offset ); }
SplObjectStorage
SplObjectStorage
class implements a map with objects as keys or A data structure that is a collection of objects (if you ignore the data corresponding to the object as the key). An instance of this class is much like an array, but the objects it stores are all unique. Another feature of this class is that you can directly delete the specified object from it without traversing or searching the entire collection.
::class
Syntax
Because ::class
represents a string. The advantage of using ::class
is that you can directly rename a class
in the IDE, and then the IDE will automatically handle the related references.
At the same time, when PHP executes the relevant code, it will not load the relevant class first.
Similarly, automated code inspection inspect
can also correctly identify classes.
A brief analysis of Pimple container process
Pimpl is a popular container in the PHP community. There is not a lot of code, see
https://github.com/silexphp/Pimple/blob/master/src/Pimple/Container.php for details.
Our application can be developed based on Pimple:
namespace EasyWeChat\Foundation; use Pimple\Container; class Application extends Container { /** * Service Providers. * * @var array */ protected $providers = [ ServiceProviders\ServerServiceProvider::class, ServiceProviders\UserServiceProvider::class ]; /** * Application constructor. * * @param array $config */ public function __construct($config) { parent::__construct(); $this['config'] = function () use ($config) { return new Config($config); }; if ($this['config']['debug']) { error_reporting(E_ALL); } $this->registerProviders(); } /** * Add a provider. * * @param string $provider * * @return Application */ public function addProvider($provider) { array_push($this->providers, $provider); return $this; } /** * Set providers. * * @param array $providers */ public function setProviders(array $providers) { $this->providers = []; foreach ($providers as $provider) { $this->addProvider($provider); } } /** * Return all providers. * * @return array */ public function getProviders() { return $this->providers; } /** * Magic get access. * * @param string $id * * @return mixed */ public function __get($id) { return $this->offsetGet($id); } /** * Magic set access. * * @param string $id * @param mixed $value */ public function __set($id, $value) { $this->offsetSet($id, $value); } }
How to use our application:
$app = new Application([]); $user = $app->user;
After that we can use the method of the $user object. We found that there is no attribute $this->user, but it can be used directly. Mainly the role of these two methods:
public function offsetSet($id, $value){} public function offsetGet($id){}
Below we will explain what Pimple does when executing these two lines of code. But before explaining this, let’s look at some core concepts of containers.
Service provider
The service provider is the bridge between the container and the specific function implementation class. Service providers need to implement the interfaceServiceProviderInterface
:
namespace Pimple; /** * Pimple service provider interface. * * @author Fabien Potencier * @author Dominik Zogg */ interface ServiceProviderInterface { /** * Registers services on the given container. * * This method should only be used to configure services and parameters. * It should not get services. * * @param Container $pimple A container instance */ public function register(Container $pimple); }
All service providers must implement the interface register method.
There are 2 service providers by default in our application:
protected $providers = [ ServiceProviders\ServerServiceProvider::class, ServiceProviders\UserServiceProvider::class ];
Taking UserServiceProvider
as an example, let’s look at its code implementation:
namespace EasyWeChat\Foundation\ServiceProviders; use EasyWeChat\User\User; use Pimple\Container; use Pimple\ServiceProviderInterface; /** * Class UserServiceProvider. */ class UserServiceProvider implements ServiceProviderInterface { /** * Registers services on the given container. * * This method should only be used to configure services and parameters. * It should not get services. * * @param Container $pimple A container instance */ public function register(Container $pimple) { $pimple['user'] = function ($pimple) { return new User($pimple['access_token']); }; } }
us As you can see, the service provider's registration method will add the attribute user
to the container, but what is returned is not an object, but a closure. I will explain this later.
Service registration
We use $this->registerProviders();
in the constructor in Application
All service providers are registered:
private function registerProviders() { foreach ($this->providers as $provider) { $this->register(new $provider()); } }
Looking carefully, we find that the service provider is instantiated here and the register method of container Pimple is called:
public function register(ServiceProviderInterface $provider, array $values = array()) { $provider->register($this); foreach ($values as $key => $value) { $this[$key] = $value; } return $this; }
And the service provider is called here The register
method of the user is what we mentioned in the previous section: the registration method adds the attribute user
to the container, but it returns not an object, but a closure.
When we add the attribute user to the container Pimple, we will call the offsetSet($id, $value)
method: give the attribute values to the container
Pimple
, keys are assigned values respectively:
$this->values[$id] = $value; $this->keys[$id] = true;
Up to this point, we have not instantiated the class EasyWeChat\User\Usr
that actually provides actual functions. However, the service provider registration has been completed.
When we run here:
$user = $app->user;
will call offsetGet($id) and instantiate the real class:
$raw = $this->values[$id]; $val = $this->values[$id] = $raw($this); $this->raw[$id] = $raw; $this->frozen[$id] = true; return $val;
$raw gets the closure:
$pimple['user'] = function ($pimple) { return new User($pimple['access_token']); };
$raw($this)
返回的是实例化的对象User
。也就是说只有实际调用才会去实例化具体的类。后面我们就可以通过$this['user']
或者$this->user
调用User
类里的方法了。
当然,Pimple里还有很多特性值得我们去深入研究,这里不做过多讲解。
更多相关php知识,请访问php教程!
The above is the detailed content of Brief analysis of Pimple running process (PHP container). For more information, please follow other related articles on the PHP Chinese website!

PHP is used to build dynamic websites, and its core functions include: 1. Generate dynamic content and generate web pages in real time by connecting with the database; 2. Process user interaction and form submissions, verify inputs and respond to operations; 3. Manage sessions and user authentication to provide a personalized experience; 4. Optimize performance and follow best practices to improve website efficiency and security.

PHP uses MySQLi and PDO extensions to interact in database operations and server-side logic processing, and processes server-side logic through functions such as session management. 1) Use MySQLi or PDO to connect to the database and execute SQL queries. 2) Handle HTTP requests and user status through session management and other functions. 3) Use transactions to ensure the atomicity of database operations. 4) Prevent SQL injection, use exception handling and closing connections for debugging. 5) Optimize performance through indexing and cache, write highly readable code and perform error handling.

Using preprocessing statements and PDO in PHP can effectively prevent SQL injection attacks. 1) Use PDO to connect to the database and set the error mode. 2) Create preprocessing statements through the prepare method and pass data using placeholders and execute methods. 3) Process query results and ensure the security and performance of the code.

PHP and Python have their own advantages and disadvantages, and the choice depends on project needs and personal preferences. 1.PHP is suitable for rapid development and maintenance of large-scale web applications. 2. Python dominates the field of data science and machine learning.

PHP is widely used in e-commerce, content management systems and API development. 1) E-commerce: used for shopping cart function and payment processing. 2) Content management system: used for dynamic content generation and user management. 3) API development: used for RESTful API development and API security. Through performance optimization and best practices, the efficiency and maintainability of PHP applications are improved.

PHP makes it easy to create interactive web content. 1) Dynamically generate content by embedding HTML and display it in real time based on user input or database data. 2) Process form submission and generate dynamic output to ensure that htmlspecialchars is used to prevent XSS. 3) Use MySQL to create a user registration system, and use password_hash and preprocessing statements to enhance security. Mastering these techniques will improve the efficiency of web development.

PHP and Python each have their own advantages, and choose according to project requirements. 1.PHP is suitable for web development, especially for rapid development and maintenance of websites. 2. Python is suitable for data science, machine learning and artificial intelligence, with concise syntax and suitable for beginners.

PHP is still dynamic and still occupies an important position in the field of modern programming. 1) PHP's simplicity and powerful community support make it widely used in web development; 2) Its flexibility and stability make it outstanding in handling web forms, database operations and file processing; 3) PHP is constantly evolving and optimizing, suitable for beginners and experienced developers.


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

Zend Studio 13.0.1
Powerful PHP integrated development environment

SecLists
SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

DVWA
Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

SAP NetWeaver Server Adapter for Eclipse
Integrate Eclipse with SAP NetWeaver application server.