현대적인 실시간 웹 애플리케이션을 구축할 때는 클라이언트와 서버 간의 효율적이고 원활한 통신을 보장하는 것이 중요합니다. 폴링에 사용되는 것과 같은 기존 HTTP 요청은 상태가 없고 단방향입니다. 클라이언트는 서버에 요청(예: fetch 또는 axios 사용)을 하고, 서버는 연결이 종료되기 전에 응답합니다. 클라이언트에 새로운 데이터가 필요한 경우 정기적으로 새로운 요청을 반복적으로 보내야 하므로 불필요한 대기 시간이 발생하고 클라이언트와 서버 모두의 로드가 증가합니다.
예를 들어 실시간 채팅 앱이나 주가 추적기를 구축하는 경우 폴링을 수행하려면 가져올 새 데이터가 없더라도 클라이언트가 매초마다 업데이트를 요청해야 합니다. WebSocket이 빛나는 곳입니다.
WebSocket은 클라이언트와 서버 간에 지속적인 양방향 통신 채널을 제공합니다. 연결이 설정되면 서버는 새 요청을 기다리지 않고 클라이언트에 업데이트를 즉시 푸시할 수 있습니다. 따라서 WebSocket은 다음과 같이 실시간 업데이트가 필수적인 시나리오에 이상적입니다.
클라이언트 측에서 Vanilla JavaScript를 사용하고 서버 측에서 Bun 런타임을 사용하면 WebSocket을 간단하고 효율적으로 구현할 수 있습니다. 예:
이 시나리오에서 WebSocket은 기존 폴링 방법보다 낮은 대기 시간, 감소된 서버 로드, 더 부드러운 사용자 환경을 제공합니다.
먼저 Bun이 설치되어 있는지 확인하세요. 그런 다음 새 Bun 프로젝트를 생성하고, 새로운 빈 디렉토리를 생성하고, 새 디렉토리에 들어가서, bun init 명령을 통해 프로젝트를 초기화합니다.
mkdir websocket-demo cd websocket-demo bun init
bun init 명령은 package.json 파일, "hello world" index.ts 파일, .gitignore 파일, typescript 구성을 위한 tsconfig.json 파일 및 README.md 파일을 생성합니다.
이제 JavaScript 코드 생성을 시작할 수 있습니다. 전체 스크립트를 보여 드리겠습니다. 그런 다음 관련된 모든 부분을 살펴보겠습니다. index.ts 파일을 편집할 수 있습니다:
console.log("? Hello via Bun! ?"); const server = Bun.serve({ port: 8080, // defaults to $BUN_PORT, $PORT, $NODE_PORT otherwise 3000 fetch(req, server) { const url = new URL(req.url); if (url.pathname === "/") return new Response(Bun.file("./index.html")); if (url.pathname === "/surprise") return new Response("?"); if (url.pathname === "/chat") { if (server.upgrade(req)) { return; // do not return a Response } return new Response("Upgrade failed", { status: 400 }); } return new Response("404!"); }, websocket: { message(ws, message) { console.log("✉️ A new Websocket Message is received: " + message); ws.send("✉️ I received a message from you: " + message); }, // a message is received open(ws) { console.log("? A new Websocket Connection"); ws.send("? Welcome baby"); }, // a socket is opened close(ws, code, message) { console.log("⏹️ A Websocket Connection is CLOSED"); }, // a socket is closed drain(ws) { console.log("DRAIN EVENT"); }, // the socket is ready to receive more data }, }); console.log(`? Server (HTTP and WebSocket) is launched ${server.url.origin}`);
다음은 제공된 코드를 분석하여 각 부분과 기능을 설명합니다.
mkdir websocket-demo cd websocket-demo bun init
Bun.serve 메소드는 HTTP 및 WebSocket 요청을 모두 처리할 수 있는 서버를 초기화합니다.
console.log("? Hello via Bun! ?"); const server = Bun.serve({ port: 8080, // defaults to $BUN_PORT, $PORT, $NODE_PORT otherwise 3000 fetch(req, server) { const url = new URL(req.url); if (url.pathname === "/") return new Response(Bun.file("./index.html")); if (url.pathname === "/surprise") return new Response("?"); if (url.pathname === "/chat") { if (server.upgrade(req)) { return; // do not return a Response } return new Response("Upgrade failed", { status: 400 }); } return new Response("404!"); }, websocket: { message(ws, message) { console.log("✉️ A new Websocket Message is received: " + message); ws.send("✉️ I received a message from you: " + message); }, // a message is received open(ws) { console.log("? A new Websocket Connection"); ws.send("? Welcome baby"); }, // a socket is opened close(ws, code, message) { console.log("⏹️ A Websocket Connection is CLOSED"); }, // a socket is closed drain(ws) { console.log("DRAIN EVENT"); }, // the socket is ready to receive more data }, }); console.log(`? Server (HTTP and WebSocket) is launched ${server.url.origin}`);
websocket 키는 WebSocket 연결을 관리하는 이벤트 핸들러를 정의합니다.
const server = Bun.serve({ port: 8080, // defaults to $BUN_PORT, $PORT, $NODE_PORT otherwise 3000 ... });
클라이언트가 WebSocket 연결을 설정할 때 트리거됩니다.
fetch(req, server) { const url = new URL(req.url); if (url.pathname === "/") return new Response(Bun.file("./index.html")); if (url.pathname === "/surprise") return new Response("?"); if (url.pathname === "/chat") { if (server.upgrade(req)) { return; // do not return a Response } return new Response("Upgrade failed", { status: 400 }); } return new Response("404!"); }
서버가 클라이언트로부터 메시지를 받으면 트리거됩니다.
open(ws) { console.log("? A new Websocket Connection"); ws.send("? Welcome baby"); }
WebSocket 연결이 닫힐 때 트리거됩니다.
매개변수:
message(ws, message) { console.log("✉️ A new Websocket Message is received: " + message); ws.send("✉️ I received a message from you: " + message); }
WebSocket이 일시적으로 과부하된 후 더 많은 데이터를 수용할 준비가 되면 배수 이벤트가 트리거됩니다.
close(ws, code, message) { console.log("⏹️ A Websocket Connection is CLOSED"); }
서버가 실행되면 콘솔에 서버의 URL을 기록합니다.
index.ts 파일이 있으면 bun run을 통해 서버를 시작할 수 있습니다.
drain(ws) { console.log("DRAIN EVENT"); }
서버가 준비되어 실행 중입니다. 이제 클라이언트를 구현할 수 있습니다.
이제 WebSocket을 처리하기 위한 스크립트 구조를 이해했으며 다음 단계는 다음과 같습니다.
위 내용은 JavaScript 및 Bun이 포함된 WebSocket의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!