WebSocket은 단일 TCP 연결을 통해 실시간 전이중 통신 채널을 제공합니다. 클라이언트가 서버에 요청을 보내고 응답을 기다리는 HTTP와 달리 WebSocket은 여러 요청 없이도 클라이언트와 서버 간의 지속적인 통신을 허용합니다. 이는 채팅 애플리케이션, 실시간 알림, 온라인 게임 등 실시간 업데이트가 필요한 애플리케이션에 이상적입니다.
이 가이드에서는 WebSocket, 작동 방식, PHP에서 구현하는 방법을 살펴보겠습니다.
WebSocket을 사용하면 웹 브라우저(또는 다른 클라이언트)와 서버 간의 대화형 통신이 가능합니다. WebSocket의 주요 측면은 다음과 같습니다.
PHP에서 WebSocket을 구현하려면 WebSocket을 사용한 실시간 양방향 통신을 위해 특별히 설계된 PHP 라이브러리인 Ratchet과 같은 라이브러리를 사용할 수 있습니다.
먼저 Ratchet 라이브러리를 설치해야 합니다. Composer가 설치되어 있다고 가정하고 다음 명령을 실행할 수 있습니다.
composer require cboden/ratchet
연결과 메시지를 처리할 간단한 WebSocket 서버를 만들어 보겠습니다.
<?php use Ratchet\MessageComponentInterface; use Ratchet\ConnectionInterface; class WebSocketServer implements MessageComponentInterface { protected $clients; public function __construct() { $this->clients = new \SplObjectStorage; } // Called when a new client connects public function onOpen(ConnectionInterface $conn) { $this->clients->attach($conn); echo "New connection: ({$conn->resourceId})\n"; } // Called when a client sends a message public function onMessage(ConnectionInterface $from, $msg) { echo "New message: $msg\n"; foreach ($this->clients as $client) { if ($from !== $client) { // Send the message to everyone except the sender $client->send($msg); } } } // Called when a connection is closed public function onClose(ConnectionInterface $conn) { $this->clients->detach($conn); echo "Connection closed: ({$conn->resourceId})\n"; } // Called if an error occurs public function onError(ConnectionInterface $conn, \Exception $e) { echo "Error: {$e->getMessage()}\n"; $conn->close(); } }
이 클래스는 새 연결, 수신 메시지, 닫힌 연결 및 오류를 처리하기 위한 메서드를 정의하는 Ratchet의 MessageComponentInterface를 구현합니다.
WebSocket 서버를 시작하기 위한 새 PHP 스크립트(예: start_server.php)를 만듭니다.
<?php require __DIR__ . '/vendor/autoload.php'; use Ratchet\Http\HttpServer; use Ratchet\Server\IoServer; use Ratchet\WebSocket\WsServer; $server = IoServer::factory( new HttpServer( new WsServer( new WebSocketServer() ) ), 8080 // Port number for the WebSocket server ); $server->run();
다음 스크립트를 실행하여 서버를 시작할 수 있습니다.
php start_server.php
이제 서버는 ws://localhost:8080에서 실행됩니다.
이제 WebSocket 서버에 연결하기 위해 jQuery와 JavaScript를 사용하여 HTML 파일을 생성해 보겠습니다.
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>WebSocket Chat</title> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> </head> <body> <h2>WebSocket Chat</h2> <input type="text" id="message" placeholder="Enter your message"> <button id="send">Send</button> <div id="chat"></div> <script> $(document).ready(function() { var ws = new WebSocket('ws://localhost:8080'); // When receiving a message from the server ws.onmessage = function(event) { $('#chat').append('<p>' + event.data + '</p>'); }; // Sending a message to the server $('#send').click(function() { var msg = $('#message').val(); ws.send(msg); $('#message').val(''); }); }); </script> </body> </html>
이 간단한 인터페이스를 사용하면 메시지를 입력하고 이를 WebSocket 서버로 보낼 수 있습니다. 연결된 모든 클라이언트가 메시지를 수신하고 표시합니다.
한 클라이언트에서 메시지를 보내면 연결된 모든 클라이언트의 브라우저에 메시지가 나타납니다.
WebSockets menyediakan penyelesaian yang berkuasa untuk komunikasi masa nyata, dupleks penuh antara pelanggan dan pelayan, sesuai untuk sistem sembang, pemberitahuan langsung dan aplikasi masa nyata yang lain. Dengan menggunakan PHP dengan perpustakaan seperti Ratchet, anda boleh menyediakan pelayan WebSocket dengan mudah dan menyepadukannya ke dalam aplikasi anda untuk penglibatan dan responsif pengguna yang lebih baik.
위 내용은 PHP의 WebSocket 이해의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!