WebSocket के माध्यम से संदेश भेजना और प्राप्त करना Python

WebSocket संचार आपको सर्वर और क्लाइंट के बीच वास्तविक समय संदेश भेजने और प्राप्त करने की अनुमति देता है। लाइब्रेरी का Python उपयोग करके इसे कैसे प्राप्त किया जाए, इस पर एक विस्तृत मार्गदर्शिका यहां दी गई है । websockets

चरण 1: WebSocket लाइब्रेरी स्थापित करें

सबसे पहले, websockets निम्नलिखित कमांड चलाकर लाइब्रेरी स्थापित करें terminal:

pip install websockets

चरण 2: सर्वर पर संदेश भेजना और प्राप्त करना

नीचे सर्वर पर संदेश भेजने और प्राप्त करने का एक उदाहरण दिया गया है WebSocket:

import asyncio  
import websockets  
  
# WebSocket connection handling function  
async def handle_connection(websocket, path):  
    async for message in websocket:  
        await websocket.send(f"Server received: {message}")  
  
# Initialize the WebSocket server  
start_server = websockets.serve(handle_connection, "localhost", 8765)  
  
# Run the server within the event loop  
asyncio.get_event_loop().run_until_complete(start_server)  
asyncio.get_event_loop().run_forever()  

कोड स्निपेट में:

  • async def handle_connection(websocket, path):: यह फ़ंक्शन WebSocket कनेक्शन को संभालता है। जब कोई क्लाइंट संदेश भेजता है, तो यह फ़ंक्शन सुनता है और प्रतिक्रिया भेजता है।

  • async for message in websocket: WebSocket: यह लूप कनेक्शन के माध्यम से क्लाइंट के संदेशों को सुनता है ।

  • await websocket.send(f"Server received: {message}") WebSocket: यह फ़ंक्शन कनेक्शन के माध्यम से सर्वर से क्लाइंट को प्रतिक्रिया भेजता है ।

चरण 3: क्लाइंट से संदेश भेजना और प्राप्त करना

यहां एक उदाहरण दिया गया है कि क्लाइंट WebSocket सर्वर से संदेश कैसे भेजता और प्राप्त करता है:

import asyncio  
import websockets  
  
async def send_and_receive():  
    async with websockets.connect("ws://localhost:8765") as websocket:  
        await websocket.send("Hello, WebSocket!")  
        response = await websocket.recv()  
        print("Received:", response)  
  
asyncio.get_event_loop().run_until_complete(send_and_receive())  

कोड स्निपेट में:

  • async with websockets.connect("ws://localhost:8765") as websocket:: इस प्रकार क्लाइंट WebSocket सर्वर से जुड़ता है। localhost क्लाइंट पते और पोर्ट से कनेक्शन स्थापित करता है 8765

  • await websocket.send("Hello, WebSocket!"): क्लाइंट  सर्वर को संदेश भेजता है। Hello, WebSocket!

  • response = await websocket.recv() WebSocket: क्लाइंट कनेक्शन के माध्यम से सर्वर से प्रतिक्रिया प्राप्त करने की प्रतीक्षा करता है ।

निष्कर्ष

चरणों का पालन करके और उदाहरण के प्रत्येक भाग को समझकर, आपने सफलतापूर्वक सीख लिया है कि WebSocket इसके माध्यम से संदेश कैसे भेजें और प्राप्त करें Python । इससे वास्तविक समय एप्लिकेशन बनाने और सर्वर और क्लाइंट के बीच निरंतर डेटा विनिमय की संभावनाएं खुलती हैं।