search
HomeBackend DevelopmentPHP TutorialPHP implements socket push technology
PHP implements socket push technologyJul 07, 2018 pm 01:44 PM
php implementation

This article mainly introduces the socket push technology implemented in PHP. It has certain reference value. Now I share it with everyone. Friends in need can refer to it.

There were already ajax timing requests before the socket appeared. Long polling and other solutions, but none of them can meet the needs, so socket was born.

Socket basic function socket

Summary of commonly used socket functions

Server side: socket_create creates a socket and sets basic parameters

socket_bind binds ip and port number

socket_listen listens

socket_accept client connection

socket_read reads client data

socket_write sends data to a single client

socket_close Close the connection

Client: socket_create Create socket and set basic parameters

socket_connect Connect socket

socket_write Send data to the server

socket_read Read server data

socket_close closes the connection

H5websocketNo more talk, go to the link

OK, start posting the code~

--------- -------------------------------------------------segmentation Line

Server code:

<?php
class WS {
    var $master;
    var $sockets = array();
    var $debug = false;//true为调试模式,输出log日志
    var $handshake = array();

    function __construct($address, $port){
        $this->master=socket_create(AF_INET, SOCK_STREAM, SOL_TCP)     or die("socket_create() failed");
        socket_set_option($this->master, SOL_SOCKET, SO_REUSEADDR, 1)  or die("socket_option() failed");
        socket_bind($this->master, $address, $port)                    or die("socket_bind() failed");
        socket_listen($this->master,20)                                or die("socket_listen() failed");
        
        $this->sockets[] = $this->master;
        $this->say("Server Started : ".date(&#39;Y-m-d H:i:s&#39;));
        $this->say("Listening on   : ".$address." port ".$port);
        $this->say("Master socket  : ".$this->master."\n");
        
        while(true){
            $socketArr = $this->sockets;
            $write = NULL;
            $except = NULL;
            socket_select($socketArr, $write, $except, NULL);  //自动选择来消息的socket 如果是握手 自动选择主机
            foreach ($socketArr as $socket){
                if ($socket == $this->master){  //主机
                    $client = socket_accept($this->master);
                    if ($client < 0){
                        $this->log("socket_accept() failed");
                        continue;
                    } else{
                        $this->connect($client);
                    }
                } else {
                    $bytes = @socket_recv($socket,$buffer,2048,0);
                    if ($bytes == 0){
                        $this->disConnect($socket);
                    }
                    else{
                        $key = array_search($socket, $this->sockets);
                        if (empty($this->handshake) || !isset($this->handshake[$key]) || !$this->handshake[$key]){
                            $this->doHandShake($socket, $buffer, $key);
                        }
                        else{
                            $buffer = $this->decode($buffer);
                            echo $buffer.PHP_EOL;
                            $key = array_search($socket, $this->sockets);
                            $arr = $this->sockets;
                            array_shift($arr);
                            foreach ($arr as $s){
                                $this->send($s, $buffer);
                            }
                        }
                    }
                }
            }
        }
    }
    
    function send($client, $msg){
        $msg = $this->frame($msg);
        socket_write($client, $msg, strlen($msg));
    }
    function connect($socket){
        array_push($this->sockets, $socket);
        $this->say("\n" . $socket . " CONNECTED!");
        $this->say(date("Y-n-d H:i:s"));
    }
    function disConnect($socket){
        $index = array_search($socket, $this->sockets);
        socket_close($socket);
        $this->say($socket . " DISCONNECTED!");
        if ($index >= 0){
            echo &#39;unset index is:&#39;.PHP_EOL;
            unset($this->sockets[$index]);
        }
    }
    function doHandShake($socket, $buffer, $handKey){
        $this->log("\nRequesting handshake...");
        $this->log($buffer);
        list($resource, $host, $origin, $key) = $this->getHeaders($buffer);
        $this->log("Handshaking...");
        $upgrade  = "HTTP/1.1 101 Switching Protocol\r\n" .
                    "Upgrade: websocket\r\n" .
                    "Connection: Upgrade\r\n" .
                    "Sec-WebSocket-Accept: " . $this->calcKey($key) . "\r\n\r\n";  //必须以两个回车结尾
        $this->log($upgrade);
        $sent = socket_write($socket, $upgrade, strlen($upgrade));
        $this->handshake[$handKey]=true;
        $this->log("Done handshaking...");
        return true;
    }

    function getHeaders($req){
        $r = $h = $o = $key = null;
        if (preg_match("/GET (.*) HTTP/"              ,$req,$match)) { $r = $match[1]; }
        if (preg_match("/Host: (.*)\r\n/"             ,$req,$match)) { $h = $match[1]; }
        if (preg_match("/Origin: (.*)\r\n/"           ,$req,$match)) { $o = $match[1]; }
        if (preg_match("/Sec-WebSocket-Key: (.*)\r\n/",$req,$match)) { $key = $match[1]; }
        return array($r, $h, $o, $key);
    }

    function calcKey($key){
        //基于websocket version 13
        $accept = base64_encode(sha1($key . &#39;258EAFA5-E914-47DA-95CA-C5AB0DC85B11&#39;, true));
        return $accept;
    }

    function decode($buffer) {
        $len = $masks = $data = $decoded = null;
        $len = ord($buffer[1]) & 127;

        if ($len === 126) {
            $masks = substr($buffer, 4, 4);
            $data = substr($buffer, 8);
        } 
        else if ($len === 127) {
            $masks = substr($buffer, 10, 4);
            $data = substr($buffer, 14);
        } 
        else {
            $masks = substr($buffer, 2, 4);
            $data = substr($buffer, 6);
        }
        for ($index = 0; $index < strlen($data); $index++) {
            $decoded .= $data[$index] ^ $masks[$index % 4];
        }
        return $decoded;
    }

    function frame($s){
        $a = str_split($s, 125);
        if (count($a) == 1){
            return "\x81" . chr(strlen($a[0])) . $a[0];
        }
        $ns = "";
        foreach ($a as $o){
            $ns .= "\x81" . chr(strlen($o)) . $o;
        }
        return $ns;
    }

    
    function say($msg = ""){
        echo $msg . "\n";
    }
    function log($msg = ""){
        if ($this->debug){
            echo $msg . "\n";
        } 
    }
}
    

new WS(&#39;localhost&#39;, 4000);

Client code (H5):

<html>
    <head>
        <title>demo</title>
        <script src="https://cdn.bootcss.com/jquery/1.9.1/jquery.min.js"></script>
    </head>
    <body>
    <input type="text" id="content">
    <input type="button" value="send" id="send">
        <script type="text/javascript">                    var ws = new WebSocket("ws://localhost:4000");
            ws.onopen = function(){
                console.log("握手成功");
            }
            ws.onmessage = function(e){
                console.log("message:" + e.data);
            }
            ws.onerror = function(){
                console.log("error");
            }
            $("#send").click(function(){
                content = $("#content").val();
                console.log(content);
                ws.send(content);
            })        </script>
    </body>
</html>

Then execute php demo.php to open the socket (steal a trick from the operation and maintenance, execute nohup php demo.php under Linux & can be executed in the background) , the browser can open multiple index.html, and communication can be established.

Code analysis:

1. The attribute $sockets array saves each accept connection (I don’t know if this description is correct);

2. Attribute The $handshake array saves whether the connection is in the connected state;

The above is the entire content of this article. I hope it will be helpful to everyone's learning. For more related content, please pay attention to the PHP Chinese website!

Related recommendations:

How to use Elasticsearch in PHP

##Batch update of PHP

The above is the detailed content of PHP implements socket push technology. 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
控制缓存失效时间如何在PHP中实现?控制缓存失效时间如何在PHP中实现?Jun 19, 2023 pm 11:23 PM

随着互联网应用的普及,网站响应速度越来越成为用户关注的重点。为了快速响应用户的请求,网站往往采用缓存技术缓存数据,从而减少数据库查询次数。但是,缓存的过期时间对响应速度有着重要影响。本文将对控制缓存失效时间的方法进行探讨,以帮助PHP开发者更好地应用缓存技术。一、什么是缓存失效时间?缓存失效时间是指缓存中的数据被认为已经过期的时间。它决定了缓存中的数据何时需

如何使用 PHP 实现移动端适配和响应式设计如何使用 PHP 实现移动端适配和响应式设计Sep 05, 2023 pm 01:04 PM

如何使用PHP实现移动端适配和响应式设计移动端适配和响应式设计是现代网站开发中重要的实践,它们能够保证网站在不同设备上的良好展示效果。在本文中,我们将介绍如何使用PHP实现移动端适配和响应式设计,并附带代码示例。一、理解移动端适配和响应式设计的概念移动端适配是指根据设备的不同特性和尺寸,针对不同的设备提供不同的样式和布局。而响应式设计则是指通过使用

PHP如何实现微信小程序指纹登陆PHP如何实现微信小程序指纹登陆May 31, 2023 pm 10:40 PM

随着微信小程序的不断发展,越来越多的用户开始选择微信小程序进行登陆。为了提高用户的登录体验,微信小程序开始支持指纹登陆。在本文中,我们将会介绍如何使用PHP来实现微信小程序的指纹登陆。一、了解微信小程序的指纹登陆在微信小程序的基础上,开发者可以使用微信的指纹识别功能,让用户通过指纹登陆微信小程序,从而提高登录体验的安全性和便捷性。二、准备工作在使用PHP实现

PHP数据缓存的一致性哈希算法实现原理PHP数据缓存的一致性哈希算法实现原理Aug 10, 2023 am 11:10 AM

PHP数据缓存的一致性哈希算法实现原理一致性哈希算法(ConsistentHashing)是一种常用于分布式系统中数据缓存的算法,可以在系统扩展和缩减时,最小化数据迁移的数量。在PHP中,实现一致性哈希算法可以提高数据缓存的效率和可靠性,本文将介绍一致性哈希算法的原理,并提供代码示例。一致性哈希算法的基本原理传统的哈希算法将数据分散到不同的节点上,但当节点

PHP实现微信小程序操作流程图技巧PHP实现微信小程序操作流程图技巧May 31, 2023 pm 07:51 PM

随着移动互联网的快速发展,微信小程序越来越受到广大用户的青睐,而PHP作为一种强大的编程语言,在小程序开发过程中也发挥着重要的作用。本文将介绍PHP实现微信小程序操作流程图的技巧。获取access_token在使用微信小程序开发过程中,首先需要获取access_token,它是实现微信小程序操作的重要凭证。在PHP中获取access_token的代码如下:f

PHP实现的在线投票系统的用户隐私保护PHP实现的在线投票系统的用户隐私保护Aug 09, 2023 am 10:29 AM

PHP实现的在线投票系统的用户隐私保护随着互联网的发展和普及,越来越多的投票活动开始转移到在线平台上进行。在线投票系统的便利性给用户带来了很多好处,但同时也引发了用户隐私泄露的担忧。隐私保护已经成为在线投票系统设计中的一个重要方面。本文将介绍如何使用PHP编写一个在线投票系统,并重点讨论用户隐私保护的问题。在设计和开发在线投票系统时,需要遵循以下几个原则来保

小程序中文件上传的PHP实现方法小程序中文件上传的PHP实现方法Jun 02, 2023 am 08:40 AM

随着小程序的广泛应用,越来越多的开发者需要将其与后台服务器进行数据交互,其中最常见的业务场景之一就是上传文件。本文将介绍在小程序中实现文件上传的PHP后台实现方法。一、小程序中的文件上传在小程序中实现文件上传,主要依赖于小程序APIwx.uploadFile()。该API接受一个options对象作为参数,其中包含了要上传的文件路径、需要传递的其他数据以及

如何使用PHP实现密码找回功能如何使用PHP实现密码找回功能Aug 17, 2023 pm 03:34 PM

如何使用PHP实现密码找回功能密码是我们在线生活中的重要保护手段,但有时我们可能会忘记密码,特别是在拥有多个在线账号的情况下。为了帮助用户找回密码,许多网站都提供了密码找回功能。本文将介绍如何使用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
4 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version