एक चैट एप्लिकेशन इस बात का एक उत्कृष्ट उदाहरण है कि इंटरैक्टिव और आकर्षक उपयोगकर्ता अनुभव बनाने के लिए इसका real-time उपयोग कैसे किया जाए । इस लेख में, हम यह पता लगाएंगे कि और का उपयोग करके चैट एप्लिकेशन कैसे बनाया जाए । WebSocket Node.js real-time WebSocket Node.js
चरण 1: पर्यावरण की स्थापना
सबसे पहले, सुनिश्चित करें कि आपने Node.js अपने कंप्यूटर पर इंस्टॉल कर लिया है। Terminal अपने प्रोजेक्ट के लिए एक नया फ़ोल्डर बनाएं और या का उपयोग करके उसमें नेविगेट करें Command Prompt ।
चरण 2: WebSocket लाइब्रेरी स्थापित करना
पहले की तरह, लाइब्रेरी स्थापित करने के लिए "ws" लाइब्रेरी का उपयोग करें WebSocket:
npm install ws
चरण 3: WebSocket सर्वर का निर्माण
नाम की एक फ़ाइल बनाएं server.js
और निम्नलिखित कोड लिखें:
// Import the WebSocket library
const WebSocket = require('ws');
// Create a WebSocket server
const server = new WebSocket.Server({ port: 8080 });
// List of connections(clients)
const clients = new Set();
// Handle new connections
server.on('connection',(socket) => {
console.log('Client connected.');
// Add connection to the list
clients.add(socket);
// Handle incoming messages from the client
socket.on('message',(message) => {
// Send the message to all other connections
for(const client of clients) {
if(client !== socket) {
client.send(message);
}
}
});
// Handle connection close
socket.on('close',() => {
console.log('Client disconnected.');
// Remove the connection from the list
clients.delete(socket);
});
});
चरण 4: यूजर इंटरफेस(क्लाइंट) बनाना
नाम की एक फ़ाइल बनाएं index.html
और निम्नलिखित कोड लिखें:
<!DOCTYPE html>
<html>
<head>
<title>Real-Time Chat</title>
</head>
<body>
<input type="text" id="message" placeholder="Type a message">
<button onclick="send()">Send</button>
<div id="chat"></div>
<script>
const socket = new WebSocket('ws://localhost:8080');
socket.onmessage =(event) => {
const chat = document.getElementById('chat');
chat.innerHTML += '<p>' + event.data + '</p>';
};
function send() {
const messageInput = document.getElementById('message');
const message = messageInput.value;
socket.send(message);
messageInput.value = '';
}
</script>
</body>
</html>
चरण 5: सर्वर चलाना और ब्राउज़र खोलना
में Terminal, सर्वर प्रारंभ करने के लिए निम्न कमांड चलाएँ WebSocket:
node server.js
चैट एप्लिकेशन का उपयोग करने के लिए एक वेब ब्राउज़र खोलें और " http://localhost:8080 " पर नेविगेट करें। real-time
निष्कर्ष
बधाई हो! आपने और का real-time उपयोग करके सफलतापूर्वक एक चैट एप्लिकेशन बनाया है । यह एप्लिकेशन उपयोगकर्ताओं को बातचीत करने और संदेश भेजने/प्राप्त करने की अनुमति देता है । आप विभिन्न रोमांचक सुविधाएँ बनाने के लिए इस एप्लिकेशन का विस्तार और अनुकूलन जारी रख सकते हैं! WebSocket Node.js real-time