Simplified Django websocket processes designed to work with cloud caches
Project description
Django Sockets
Simplified Django websocket processes designed to work with cloud caches (valkey|redis on single|distributed|serverless)
Setup
General
Make sure you have Python 3.10.x (or higher) installed on your system. You can download it here.
Installation
pip install django_sockets
Other Requirements
-
Redis / Valkey Cache Server: If you plan to broadcast messages across clients and not just respond to individual clients, make sure a cache (valkey or redis) is setup and accessible from your server.
Expand this to setup a local valkey cache using Docker.
- Create and start a valkey cache server using docker:
docker run -d -p 6379:6379 --name django_sockets_cache valkey/valkey:7
- To run the container after it has been stopped:
docker start django_sockets_cache
- To kill the container later:
docker kill django_sockets_cache
- Create and start a valkey cache server using docker:
Usage
Low level docs: https://connor-makowski.github.io/django_sockets/django_sockets.html
Example Usage
Use In Django
-
Make sure a redis / valkey cache server is running.
-
Install Requirements:
pip install django_sockets
- Note: This would normally be done via your
requirements.txt
file and installed in a virtual environment.
- Note: This would normally be done via your
-
Create a new Django project (if you don't already have one) and navigate to the project directory:
python3 -m django startproject myapp cd myapp
-
Add
ASGI_APPLICATION
above yourINSTALLED_APPS
and add'daphne'
to yourINSTALLED_APPS
in yoursettings.py
filemyapp/settings.py
ASGI_APPLICATION = 'myapp.asgi.application' INSTALLED_APPS = [ 'daphne', # Your other installed apps ]
-
Create a new file called
ws.py
and place it inmyapp
.myapp/ws.py
from django.urls import path from django_sockets.middleware import AuthMiddlewareStack from django_sockets.sockets import BaseSocketServer from django_sockets.utils import URLRouter class SocketServer(BaseSocketServer): def configure(self): # Note: Normally, this should be set in the settings.py file # but is explicitly set here for demonstration purposes self.hosts = [{"address": "redis://0.0.0.0:6379"}] def receive(self, data): if data.get('command')=='reset': data['counter']=0 elif data.get('command')=='increment': data['counter']+=1 else: raise ValueError("Invalid command") # Broadcast the update to all websocket clients # subscribed to the channel self.broadcast(self.channel_id, data) # Alternatively if you just want to respond to the # current socket client, just use: # self.send(data) def connect(self): # Subscribe each user to a channel based on their user id # Note: All non authenticated users will be subscribed to the same channel ('None') self.channel_id = str(self.scope['user'].id) print(f"Connected to channel: {self.channel_id}") self.subscribe(self.channel_id) def get_ws_asgi_application(): # Note: `AuthMiddlewareStack` is not required, but is useful for user scoped channels return AuthMiddlewareStack(URLRouter([ path("ws/", SocketServer.as_asgi), ]))
-
Modify your
asgi.py
file to use thedjango_sockets
ProtocolTypeRouter
and add your app to your websocket routes:myapp/asgi.py
import os from django.core.asgi import get_asgi_application from django_sockets.utils import ProtocolTypeRouter from .ws import get_ws_asgi_application os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'myapp.settings') asgi_app = get_asgi_application() ws_asgi_app = get_ws_asgi_application() application = ProtocolTypeRouter( { "http": asgi_app, "websocket": ws_asgi_app, } )
-
In the project root, create
templates/client.html
and add the following client code:templates/client.html
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>WebSocket Client</title> </head> <body> <h1>WebSocket Client</h1> <div> <button id="resetBtn">Reset Counter</button> <button id="incrementBtn">Increment Counter</button> </div> <div> <h3>Messages:</h3> <pre id="messages"></pre> </div> <script> // Connect to the WebSocket server const wsUrl = "ws://localhost:8000/ws/"; const websocket = new WebSocket(wsUrl); var counter = 0; // DOM elements const messages = document.getElementById("messages"); const resetBtn = document.getElementById("resetBtn"); const incrementBtn = document.getElementById("incrementBtn"); // Helper function to display messages const displayMessage = (msg) => { messages.textContent += msg + "\n"; }; // Handle WebSocket events websocket.onopen = () => { displayMessage("WebSocket connection established."); }; websocket.onmessage = (event) => { displayMessage("Received: " + event.data); counter = JSON.parse(event.data).counter; }; websocket.onerror = (error) => { displayMessage("WebSocket error: " + error); }; websocket.onclose = () => { displayMessage("WebSocket connection closed."); }; // Send 'reset' command resetBtn.addEventListener("click", () => { const command = { command: "reset" }; websocket.send(JSON.stringify(command)); displayMessage("Sent: " + JSON.stringify(command)); }); // Send 'increment' command incrementBtn.addEventListener("click", () => { const command = { "command": "increment", "counter": counter }; websocket.send(JSON.stringify(command)); displayMessage("Sent: " + JSON.stringify(command)); }); </script> </body> </html>
-
In
settings.py
updateDIRS
in yourTEMPLATES
to include your new template directory:myapp/settings.py
TEMPLATES = [ { 'BACKEND': 'django.template.backends.django.DjangoTemplates', 'DIRS': [BASE_DIR / 'templates'], # Modify this line 'APP_DIRS': True, 'OPTIONS': { 'context_processors': [ 'django.template.context_processors.debug', 'django.template.context_processors.request', 'django.contrib.auth.context_processors.auth', 'django.contrib.messages.context_processors.messages', ], }, }, ]
-
In
urls.py
add a simpleclent_view
to render theclient.html
template and set at it the root URL.myapp/urls.py
from django.contrib import admin from django.shortcuts import render from django.urls import path def client_view(request): return render(request, 'client.html') urlpatterns = [ path('admin/', admin.site.urls), path('', client_view), ]
- Note: Normally this would be imported from a views file, but for simplicity it is defined here.
-
Make migrations, migrate, create a superuser and run the server (from the project root)
python manage.py makemigrations python manage.py migrate python manage.py createsuperuser python manage.py runserver
-
Open your browser and navigate to
http://localhost:8000/
to see the client page.- To get user scopes:
- Navigate to
http://localhost:8000/admin
and login with the superuser credentials you created. - Then go back to the client page and open the browser console.
- You should see the user scope in your terminal logs.
- Navigate to
- Open up a second tab and navigate to the same URL. You should see the counter incrementing and resetting in both tabs.
- Note: The counter state is maintained client side.
- If one tab joins after the other has modified the counter, it will not be in sync.
- Whichever counter fires first will determine the next counter value for both tabs.
- To get user scopes:
Other Examples & Use Cases
Example Subscribing & Broadcasting
from django_sockets.sockets import BaseSocketServer
import asyncio, time
# Define the send method. Instead of sending data over a
# non existent websocket connection, print the data.
async def send(ws_data):
print("WS SENDING:", ws_data)
# Create a receive queue to simulate receiving messages from a websocket client
base_receive = asyncio.Queue()
# Create a base socket server with a scope of {}
base_socket_server = BaseSocketServer(
scope={},
receive=base_receive.get,
send=send,
hosts=[{"address": f"redis://0.0.0.0:6379"}]
)
# Start the listeners for the base socket server
base_socket_server.start_listeners()
# Subscribe to the test_channel
base_socket_server.subscribe("test_channel")
# Broadcast a message to the test_channel
base_socket_server.broadcast("test_channel", "test message")
# Give the async functions a small amount of time to complete
time.sleep(.5)
#=> Output:
#=> WS SENDING: {'type': 'websocket.send', 'text': '"test message"'}
Example Handle Websocket Messages
from django_sockets.sockets import BaseSocketServer
import asyncio, time
class CustomSocketServer(BaseSocketServer):
def receive(self, data):
"""
When a data message is received from a websocket client:
- Print the data
- Broadcast the data to a channel (the same channel that the socket server is subscribed to)
Normally you would want to override the receive method to do any server side processing of the data that is received
then broadcast any changes back to relevant channels.
"""
print("WS RECEIVED: ", data)
print(f"BROADCASTING TO '{self.scope['username']}'")
self.broadcast(self.scope['username'], data)
def connect(self):
"""
When the websocket connects, subscribe to the channel of the user.
This is an important method to override if you want to subscribe to a channel when a user frist connects.
Otherwise, you can always subscribe to a channel based on the data that is received in the receive method.
"""
print(f"CONNECTED")
print(f"SUSCRIBING TO '{self.scope['username']}'")
self.subscribe(self.scope['username'])
# Override the send method to print the data being sent
async def send(data):
"""
Normally you would not override the send method, but since we are not actually sending data over a websocket connection
we are just going to print the data that would be sent.
This is useful for testing the socket server without having to actually send data over a websocket connection
Note: This only sends the first 64 characters of the data
"""
print("WS SENDING:", str(data)[:64])
# Create a receive queue to simulate receiving messages from a websocket client
custom_receive = asyncio.Queue()
# Create a custom socket server defined above with a scope of {'username':'adam'}, the custom_receive queue, and the send method defined above
custom_socket_server = CustomSocketServer(
scope={'username':'adam'},
receive=custom_receive.get,
send=send,
hosts=[{"address": f"redis://0.0.0.0:6379"}]
)
# Start the listeners for the custom socket server
# - Websocket Listener - Listens for websocket messages
# - Broadcast Listener - Listens for messages that were broadcasted to a channel that the socket server is subscribed to
custom_socket_server.start_listeners()
# Give the async functions a small amount of time to complete
time.sleep(.1)
# Simulate a WS connection request
custom_receive.put_nowait({'type': 'websocket.connect'})
# Give the async functions a small amount of time to complete
time.sleep(.1)
# Simulate a message being received from a WS client
# This will call the receive method which is defined above
custom_receive.put_nowait({'type': 'websocket.receive', 'text': '{"data": "test"}'})
# Give the async functions a small amount of time to complete
time.sleep(.1)
# Simulate a WS disconnect request
custom_receive.put_nowait({'type': 'websocket.disconnect'})
# Give the async functions a small amount of time to complete
time.sleep(.1)
# Simulate a message being received from a WS client after the connection has been closed
# This will not do anything since the connection has been closed and the listeners have been killed
custom_receive.put_nowait({'type': 'websocket.receive', 'text': '{"data_after_close": "test"}'})
# Give the async functions a small amount of time to complete
time.sleep(.1)
#=> Output:
#=> WS SENDING: {'type': 'websocket.accept'}
#=> CONNECTED
#=> SUSCRIBING TO 'adam'
#=> WS RECEIVED: {'data': 'test'}
#=> BROADCASTING TO 'adam'
#=> WS SENDING: {'type': 'websocket.send', 'text': '{"data": "test"}'}
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file django_sockets-2.0.0b4.tar.gz
.
File metadata
- Download URL: django_sockets-2.0.0b4.tar.gz
- Upload date:
- Size: 17.9 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/5.1.1 CPython/3.12.3
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | aa5ace5132bee82d63d4fc50382021615949c14281b6ad9612ef5d5db20fd3a7 |
|
MD5 | 0bf70e1811169ff7658db1a8ae2c48d7 |
|
BLAKE2b-256 | 5e81d40dbdd45e197a976ea17f83d4950d6907366c49bae7a5515432d0ba97b8 |
File details
Details for the file django_sockets-2.0.0b4-py3-none-any.whl
.
File metadata
- Download URL: django_sockets-2.0.0b4-py3-none-any.whl
- Upload date:
- Size: 15.3 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/5.1.1 CPython/3.12.3
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | da9ab84709ed7b05c95b3cbc0fa4a980d6a624abab2101ce114dbd092dd1add7 |
|
MD5 | e9f03db42279ee89fbef646ed8a7fc5a |
|
BLAKE2b-256 | 74976402b10b09a555eb2bf966445e0855f7f8127b5d70ccfee36fc4e705dd4b |