search
HomeBackend DevelopmentPHP TutorialData encryption and decryption

With the upgrade of PHP version, some functions have been abandoned, such as encryption and decryption functions. Before PHP7.1, decryption and encryption were implemented through mcrypt_decrypt() and mcrypt_encrypt(). After PHP7.1, decryption and encryption were implemented through openssl_decrypt() and openssl_encrypt. () to implement decryption and encryption. Here, through the encapsulation class, two implementation methods are implemented to implement

Two methods of encryption and decryption steps:

Return the original data (array) during decryption --->Encryption-->Encrypted string-->Decryption-->Original array|| JSON string-->Encryption-->Encrypted string-->Decryption-->Original JSON character String || String—->Encryption—->Encrypted string—->Decrypt—->Original string)

Used below PHP7.1

Class method

What needs to be noted in this class is the key: The key length corresponding to the algorithm: The length of the encryption key of AES-128, 192 and 256 is 16, 24 respectively. and 32-bit

<?php
namespace aes;
class AesT
{
    private $_bit = MCRYPT_RIJNDAEL_256;
    private $_type = MCRYPT_MODE_CBC;
    private $_key = &#39;ThisIsYourAesKey&#39;; // 密钥 必须16位 24位  32位
    private $_use_base64 = true;
    private $_iv_size = null;
    private $_iv = null;

    /**
     * @param string $_key 密钥
     * @param int $_bit 默认使用128字节  支持256、192、128
     * @param string $_type 加密解密方式  默认为ecb 支持cfb、cbc、nofb、ofb、stream、ecb
     * @param boolean $_use_base64 默认使用base64二次加密
     */
    public function __construct($_key = &#39;&#39;, $_bit = 128, $_type = &#39;ecb&#39;, $_use_base64 = true)
    {
        // 加密字节
        if (192 === $_bit) {
            $this->_bit = MCRYPT_RIJNDAEL_192;
        } elseif (128 === $_bit) {
            $this->_bit = MCRYPT_RIJNDAEL_128;
        } else {
            $this->_bit = MCRYPT_RIJNDAEL_256;
        }
        // 加密方法
        if (&#39;cfb&#39; === $_type) {
            $this->_type = MCRYPT_MODE_CFB;
        } elseif (&#39;cbc&#39; === $_type) {
            $this->_type = MCRYPT_MODE_CBC;
        } elseif (&#39;nofb&#39; === $_type) {
            $this->_type = MCRYPT_MODE_NOFB;
        } elseif (&#39;ofb&#39; === $_type) {
            $this->_type = MCRYPT_MODE_OFB;
        } elseif (&#39;stream&#39; === $_type) {
            $this->_type = MCRYPT_MODE_STREAM;
        } else {
            $this->_type = MCRYPT_MODE_ECB;
        }
        // 密钥
        if (!empty($_key)) {
            $this->_key = $_key;
        }
        // 是否使用base64
        $this->_use_base64 = $_use_base64;

        $this->_iv_size = mcrypt_get_iv_size($this->_bit, $this->_type);
        $this->_iv = mcrypt_create_iv($this->_iv_size, MCRYPT_RAND);
    }

    /**
     * 加密
     * @param string $string 待加密字符串
     * @return string
     */
    public function encode($string)
    {
        //
        if (MCRYPT_MODE_ECB === $this->_type) {
            $encodeString = mcrypt_encrypt($this->_bit, $this->_key, json_encode($string), $this->_type);
        } else {
            $encodeString = mcrypt_encrypt($this->_bit, $this->_key, json_encode($string), $this->_type, $this->_iv);
        }
        if ($this->_use_base64) {
            $encodeString = base64_encode($encodeString);
        }
        return $encodeString;
    }

    /**
     * 解密
     * @param string $string 待解密字符串
     * @return string
     */
    public function decode($string)
    {
        if ($this->_use_base64) {
            $string = base64_decode($string);
        }
        if (MCRYPT_MODE_ECB === $this->_type) {
            $decodeString = mcrypt_decrypt($this->_bit, $this->_key, $string, $this->_type);
        } else {
            $decodeString = mcrypt_decrypt($this->_bit, $this->_key, $string, $this->_type, $this->_iv);
        }
      return $decodeString;
    }
}

Use

<?php
use aes\AesT;
class Test{
	public function index()
    {
        $data1 = [&#39;status&#39; => &#39;1&#39;, &#39;info&#39; => &#39;success&#39;, &#39;data&#39; => [[&#39;id&#39; => 1, &#39;name&#39; => &#39;大房间&#39;, &#39;2&#39; => &#39;小房间&#39;]]];
        //$data2 = &#39;{"status":"1","info":"success","data":[{"id":1,"name":"\u5927\u623f\u95f4","2":"\u5c0f\u623f\u95f4"}]}&#39;;
        //$data3 = &#39;PHP AES cbc模式 pkcs7 128加密解密&#39;;
        $objT = new AesT();
        $resT = $objT->encode($data1);//加密数据
        var_dump($resT);
        var_dump($objT->decode($resT));//解密
    }
}

PHP7.1 or above use

Class methods

AES-128-CBC, AES-192-CBC and AES-256-CBC The length of the encryption key is 16, 24 and 32 bits respectively


##Among the four parameters of openssl_encrypt(), you need to pay attention to the fourth parameter :

0: Automatically pad the plain text, and the returned data is base64 encoded.

1: OPENSSL_RAW_DATA, Automatically pad the plain text, But the returned result is not base64 encoded.

2 : OPENSSL_ZERO_PADDING, 自动对明文进行 0 填充, 返回的结果经过 base64 编码

<?php

namespace aes;

class Aes
{
    public static $key = &#39;&#39;;
    public static $iv = &#39;&#39;;
    public static $method = &#39;&#39;;

    public function __construct()
    {
        //加密key
        self::$key = md5(&#39;AeSNJkBfhHmJqLzHL&#39;, true);
        //保证偏移量为16位
        self::$iv = md5(&#39;HfgUdCliBjKjuRfa&#39;, true);
        //加密方式  # AES-128-CBC AES-192-CBC AES-256-CBC
        self::$method = &#39;AES-128-CBC&#39;;
    }

    /**
     * @desc 加密
     * @param $data
     * @return false|string
     */
    public function aesEn($data)
    {
        return base64_encode(openssl_encrypt(json_encode($data), self::$method, self::$key, OPENSSL_RAW_DATA, self::$iv));
    }

    /**
     * @desc 解密
     * @param $data
     * @return false|string
     */
    public function aesDe($data)
    {
        $tmpData = openssl_decrypt(base64_decode($data), self::$method, self::$key, OPENSSL_RAW_DATA, self::$iv);
        return is_null(json_decode($tmpData)) ? $tmpData : json_decode($tmpData, true);
    }
}

使用

<?php

use aes\Aes;

class Test
{
    public function aes()
    {
        $obj = new Aes();
		
        $data = [&#39;status&#39; => &#39;1&#39;, &#39;info&#39; => &#39;success&#39;, &#39;data&#39; => [[&#39;id&#39; => 1, &#39;name&#39; => &#39;大房间&#39;, &#39;2&#39; => &#39;小房间&#39;]]];
        //$data = &#39;{"status":"1","info":"success","data":[{"id":1,"name":"\u5927\u623f\u95f4","2":"\u5c0f\u623f\u95f4"}]}&#39;;
        //$data = &#39;PHP AES cbc模式 pkcs7 128加密解密&#39;;
        $res = $obj->aesEn($data);//加密数据
        var_dump($res);
        var_dump($obj->aesDe($res));//解密
    }
}


使用该加密解密类时,如果将两个类整合到一个类中,需要通过PHP_VERSION获取当前PHP版本

The above is the detailed content of Data encryption and decryption. For more information, please follow other related articles on the PHP Chinese website!

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
11 Best PHP URL Shortener Scripts (Free and Premium)11 Best PHP URL Shortener Scripts (Free and Premium)Mar 03, 2025 am 10:49 AM

Long URLs, often cluttered with keywords and tracking parameters, can deter visitors. A URL shortening script offers a solution, creating concise links ideal for social media and other platforms. These scripts are valuable for individual websites a

Working with Flash Session Data in LaravelWorking with Flash Session Data in LaravelMar 12, 2025 pm 05:08 PM

Laravel simplifies handling temporary session data using its intuitive flash methods. This is perfect for displaying brief messages, alerts, or notifications within your application. Data persists only for the subsequent request by default: $request-

Build a React App With a Laravel Back End: Part 2, ReactBuild a React App With a Laravel Back End: Part 2, ReactMar 04, 2025 am 09:33 AM

This is the second and final part of the series on building a React application with a Laravel back-end. In the first part of the series, we created a RESTful API using Laravel for a basic product-listing application. In this tutorial, we will be dev

Simplified HTTP Response Mocking in Laravel TestsSimplified HTTP Response Mocking in Laravel TestsMar 12, 2025 pm 05:09 PM

Laravel provides concise HTTP response simulation syntax, simplifying HTTP interaction testing. This approach significantly reduces code redundancy while making your test simulation more intuitive. The basic implementation provides a variety of response type shortcuts: use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' =>

cURL in PHP: How to Use the PHP cURL Extension in REST APIscURL in PHP: How to Use the PHP cURL Extension in REST APIsMar 14, 2025 am 11:42 AM

The PHP Client URL (cURL) extension is a powerful tool for developers, enabling seamless interaction with remote servers and REST APIs. By leveraging libcurl, a well-respected multi-protocol file transfer library, PHP cURL facilitates efficient execution of various network protocols, including HTTP, HTTPS, and FTP. This extension offers granular control over HTTP requests, supports multiple concurrent operations, and provides built-in security features.

12 Best PHP Chat Scripts on CodeCanyon12 Best PHP Chat Scripts on CodeCanyonMar 13, 2025 pm 12:08 PM

Do you want to provide real-time, instant solutions to your customers' most pressing problems? Live chat lets you have real-time conversations with customers and resolve their problems instantly. It allows you to provide faster service to your custom

Announcement of 2025 PHP Situation SurveyAnnouncement of 2025 PHP Situation SurveyMar 03, 2025 pm 04:20 PM

The 2025 PHP Landscape Survey investigates current PHP development trends. It explores framework usage, deployment methods, and challenges, aiming to provide insights for developers and businesses. The survey anticipates growth in modern PHP versio

Notifications in LaravelNotifications in LaravelMar 04, 2025 am 09:22 AM

In this article, we're going to explore the notification system in the Laravel web framework. The notification system in Laravel allows you to send notifications to users over different channels. Today, we'll discuss how you can send notifications ov

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
4 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

SublimeText3 English version

SublimeText3 English version

Recommended: Win version, supports code prompts!

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment