Django push: Using Server-Sent Events and WebSocket with Django
http://curella.org/blog/2012/jul/17/django-push-using-server-sent-events-and-websocket/
The goal of this article is to explore and show how it's possible to implement Server-Sent Events and WebSocket with Django.
There are other implementations out there for frameworks that are designed specifically to work in event-based scenario (tornado, Node.js), and are probably better suited for implementing these kind of services.
The point of this article is not "you should use Django for that", but a more humble "here's how I made it work with Django".
The Scenario
Suppose you have a website where users can import their contacts from other services. The importing is handled off-band by some other means (most likely, a celery task), and you want to show your users a notification box when the job is done.
There are currently a few alternative technologies for pushing events to the browser: Server-Sent Events (SSE) and WebSocket.
SSEs are a simpler protocol and are easier to implement, but they provide communication only in one direction, from the server to the browser. WebSocket provides instead a bidirectional channel.
For a simple notification scenario like the above, SSEs provide just what we want, at the expenses of one long-running connection per user.
We will use Redis and its PubSub functionality as a broker between the celery task and Django's web process.
The final code of this article is available as a repository on GitHub.
Architecture
Celery Task -> redis -> Django -> Browser
Running gunicorn
Both technologies require the server to keep the connection open indefinitely.
If we'd run Django under mod_wsgi or the regular dev server, the request-response cycle will be blocked by those always-open requests.
The solution is to use gevent
. I found that the simplest way to use it is to run Django under gunicorn.
Install gunicorn:
$ pip install gunicorn
Add gunicorn to your INSTALLED_APPS
:
INSTALLED_APPS = (
...,
'myapp',
'gunicorn',
)
Then, I created a config file for gunicorn at config/gunicorn
.
#!python
from os import environ
from gevent import monkey
monkey.patch_all()
bind = "0.0.0.0:8000"
workers = 1 # fine for dev, you probably want to increase this number in production
worker_class = "gunicorn.workers.ggevent.GeventWorker"
You can start the server with:
$ gunicorn_django -c config/gunicorn
For more info on Django on gunicorn see Django's docs on How to use Django with Gunicorn.
Server-Sent Events
The browser will issue a GET request to the url /sse/
(this path is completely arbitrary). The server will respond with a stream of data, without ever closing the connection.
The easiest way to implement SSEs is to use the django-sse
package, available on PyPi.
$ pip install sse django-sse
If you want to publish via redis, django-sse
requires you to specify how to connect:
settings.py
:
REDIS_SSEQUEUE_CONNECTION_SETTINGS = {
'location': 'localhost:6379',
'db': 0,
}
django_sse
provides a ready-to-use view that uses redis as message broker.
myapp/views.py
:
from django.views.generic import TemplateView
from django_sse.redisqueue import RedisQueueView
class HomePage(TemplateView):
template_name = 'index.html'
class SSE(RedisQueueView):
pass
Hook the views up in your urls.py
:
from django.conf.urls import patterns, include, url
from myapp import views
urlpatterns = patterns('',
url(r'^sse/$', views.SSE.as_view(), name='sse'), # this URL is arbitrary.
url(r'^$', views.HomePage.as_view(), name='homepage'),
)
IE Polyfill
Not every browser supports SSEs (most notably, internet Explorer).
For unsupported browser, we can include a JavaScript polyfill in our page. There are many polyfills available out there, but I've choose to use eventsource.js
because it's close to the original API and it looks actively maintained.
After including the polyfill in our HTML we can set up our callback functions on DOMReady. Here I've also uses jQuery for simplicity.
<!doctype html>
<html>
<head>
<meta charset="utf-8">
<title>My App</title>
</head>
<body>
<script src="//ajax.googleapis.com/ajax/libs/jquery/1.7.1/jquery.min.js"></script>
<script>window.jQuery || document.write('<script src="{{ STATIC_URL }}js/libs/jquery-1.7.1.min.js"><\/script>')</script>
<script src="{{ STATIC_URL }}js/libs/eventsource.js"></script>
<script>
$().ready(function() {
var source = new EventSource('/sse/'); // of course this must match the endpoint in your urlconf
function log() {
console.log(arguments);
}
source.onopen = function() {
console.log(arguments);
};
source.onerror = function () {
console.log(arguments);
};
source.addEventListener('connections', log, false);
source.addEventListener('requests', log, false);
source.addEventListener('myevent', function(e) {
data = JSON.parse(e.data);
// .. do something..
}, false);
source.addEventListener('uptime', log, false);
source.onmessage = function() {
console.log(arguments);
};
});
</script>
</body>
</html>
Publishing events
django_sse
provides a convenience method to publish messages toRedisQueueView
subclasses:
imoprt json
from django_sse.redisqueue import send_event
send_event('myevent', json.dumps(data))
Note that send_event
allows only text values to be published. Taht's why we are serializing the data to json, and we unserialize it in the event handler withJSON.parse
.
By default, django_sse
publishes and listens to the redis channel see
. If we want to separate messages per user, we can define the get_redis_channel
method on the view:
class SSE(RedisQueueView):
def get_redis_channel(self):
return "sse_%s" % self.request.user.username
When we want to publish some event to a specific user, all we have to do is to specify the channel when calling send_event
:
send_event('myevent', json.dumps(data), 'sse_%s' % user.username)
WebSocket
Now, suppose you want to notify user A when user B does some kind action.
You could still use SSEs, but every time the scenario happens, you'll end up with three connections: two long-running ones opened by A and B listening for SSEs, and a short one fired by B when POSTing his action.
Since you're already having long-running connections because you need to push events, you may just switch to WebSockets and save that POST.
Since WebSocket is not yet supported by Explorer, we'll have to use an abstraction layer, like socket.io
or socks.js
, that provide alternative transports of messages.
I choose to use socket.io
mainly because of the gevent-socketio
library, which integrates pretty easily with Django.
Using the socketio worker
In order to run gevent-socketio
, we have to run gunicorn with a specialized worker class.
The GeventSocketIOWorker
will take care of implementing the socket.io handshake and the new WebSocket Protocol (ws://
)
In order to use GeventSocketIOWorker
, I modified the worker_class
parameter in the config file for unicorn:
#!python
from os import environ
from gevent import monkey
monkey.patch_all()
bind = "0.0.0.0:8000"
workers = 1
worker_class = "socketio.sgunicorn.GeventSocketIOWorker" # Note that we are now using gevent-socketio's worker
Note that using the socketio.sgunicorn.GeventSocketIOWorker
is compatible with SSEs, so you could use this worker if you want both protocols running.
gevent-socketio
allows you to define different Socket.io namespaces
. This way you can implement different domain-specific logics. For example, you could implement a namespace for users' status (online, away, etc.) and a different chat messages.
Additionally, gevent-socketio
ships with a couple of namespaces mixing for common situations, like for implementing separate chat rooms.
Let's create a namespace. Our namespace will provide separate chat-rooms, and will process events from our redis queue.
I had to override the emit_to_room
method because I had the messages delivered more than once when I had more clients connected than the available workers.
myapp/sockets.py
:
from socketio.namespace import BaseNamespace
from socketio.sdjango import namespace
from socketio.mixins import RoomsMixin
from myapp.utils import redis_connection
import json
@namespace('')
class MyNamespace(BaseNamespace, RoomsMixin):
def listener(self, room):
# ``redis_connection()`` is an utility function that returns a redis connection from a pool
r = redis_connection().pubsub()
r.subscribe('socketio_%s' % room)
for m in r.listen():
if m['type'] == 'message':
data = json.loads(m['data'])
self.process_event(data)
def on_subscribe(self, *args):
for channel in args:
self.join(channel)
def join(self, room):
super(MyNamespace, self).join(room)
self.spawn(self.listener, room)
self.emit('joined', room)
def on_myevent(self, room, *args):
self.emit_to_room(room, 'myevent', *args)
def emit_to_room(self, room, event, *args):
"""
This is almost the same as ``.emit_to_room()`` on the parent class,
but it sends events only over the current socket.
This is to avoid a problem when there are more client than workers, and
a single message can get delivered multiple times.
"""
pkt = dict(type="event",
name=event,
args=args,
endpoint=self.ns_name)
room_name = self._get_room_name(room)
if 'rooms' not in self.socket.session:
return
if room_name in self.socket.session['rooms']:
self.socket.send_packet(pkt)
Note that the join
method we spawn a listener (and thus, a new redis connection) for every room we join. That's the way it's implemented in the chat example at the gevent-socketio
repository.
If you're worried about having to spawn one process per client per channel, I've included an alternative subclass in the repo that restarts the listener when joining channel. The catch is that there will be a few milliseconds during which the user won't receive message.
I'm also using a pool to recycle Redis connection, The redis_connection
method creates a new redis object for our already existing connection pool:
utils.py
:
from django.conf import settings
from redis import Redis
from redis import ConnectionPool as RedisConnectionPool
from redis.connection import Connection
WEBSOCKET_REDIS_BROKER_DEFAULT = {
'HOST': 'localhost',
'PORT': 6379,
'DB': 0
}
CONNECTION_KWARGS = getattr(settings, 'WEBSOCKET_REDIS_BROKER', {})
class ConnectionPoolManager(object):
"""
A singleton that contains and retrieves redis ``ConnectionPool``s according to the connection settings.
"""
pools = {}
@classmethod
def key_for_kwargs(cls, kwargs):
return ":".join([str(v) for v in kwargs.values()])
@classmethod
def connection_pool(cls, **kwargs):
pool_key = cls.key_for_kwargs(kwargs)
if pool_key in cls.pools:
return cls.pools[pool_key]
params = {
'connection_class': Connection,
'db': kwargs.get('DB', 0),
'password': kwargs.get('PASSWORD', None),
'host': kwargs.get('HOST', 'localhost'),
'port': int(kwargs.get('PORT', 6379))
}
cls.pools[pool_key] = RedisConnectionPool(**params)
return cls.pools[pool_key]
def redis_connection():
"""
Returns a redis connection from one of our pools.
"""
pool = ConnectionPoolManager.connection_pool(**CONNECTION_KWARGS)
return Redis(connection_pool=pool)
For serving our namespaces, gevent-socketio
gives us an autodiscovery feature similar to Django's admin:
urls.py
:
from django.conf.urls import patterns, include, url
from myapp import views
import socketio.sdjango
socketio.sdjango.autodiscover()
urlpatterns = patterns('',
url(r'^sse/$', views.SSE.as_view(), name='sse'), # this URL is arbitrary.
# socket.io uses the well-known URL `/socket.io/` for its protocol
url(r"^socket\.io", include(socketio.sdjango.urls)),
url(r'^$', views.HomePage.as_view(), name='homepage'),
)
On the client side, we need to include the socket.io
javascript client, (available at https://github.com/LearnBoost/socket.io-client/).
By default, the client will try to use flashsockets
under Internet Explorer (because Explorer doesn't support WebSocket).
The problem with flashsocket
is that the Flash shipped with socketio-client
makes a request for a policy file, and you'd need to set up a Flash policy server. So I decided to disable this transport and have IE use xhr-polling.
socket = io.connect('', { // first argument is the namespace
transports: ['websocket', 'xhr-multipart', 'xhr-polling', 'jsonp-polling'] // note ``flashsockets`` is missing
});
socket.on("myevent", function(e) {
console.log("<myevent> event", arguments);
});
socket.on("message", function(e) {
console.log("Message", e);
});
socket.on("joined", function(e) {
console.log("joined", arguments);
});
socket.on("connect", function(e) {
console.log("Connected", arguments);
socket.emit('subscribe', 'default_room');
});
socket.on("disconnect", function(e) {
console.log("Disconnected", arguments);
});
Publishing an event
All we have to do in order to emit an event to our client is pushing a message to the right redis channel.
utils.py
:
# previous code here ...
import json
def emit_to_channel(channel, event, *data):
r = redis_connection()
args = [channel] + list(data)
r.publish('socketio_%s' % channel, json.dumps({'name': event, 'args': args}))
Links & Acknowledgements
I would like to thank Jeff Triplett for the initial feedback on this article, Cody Soyland for his initial article about socket.io and gevent, Andrei Antoukh for accepting my patches for django_sse
, and Jeffrey Gelens for accepting my patch for gevent-websocket
.
If you want to read more, here's some links:
- http://codysoyland.com/2011/feb/6/evented-django-part-one-socketio-and-gevent/
- http://eflorenzano.com/blog/2011/02/16/technology-behind-convore/
- http://www.gevent.org/
- http://gunicorn.org/
- https://bitbucket.org/Jeffrey/gevent-websocket/src
- http://gevent-socketio.readthedocs.org/en/latest/index.html
- http://www.w3.org/TR/eventsource/
Django push: Using Server-Sent Events and WebSocket with Django的更多相关文章
- Django Push HTTP Response to users
Django Push HTTP Response to users I currently have a very simple web application written in Django, ...
- server sent events
server sent events server push https://html5doctor.com/server-sent-events/ https://developer.mozilla ...
- 远程通知APNs(Apple Push Notification Server)
推送通知是由应用服务提供商发起的,通过苹果的APNs(Apple Push Notification Server)发送到应用客户端.下面是苹果官方关于推送通知的过程示意图: 推送通知的过程可以分为以 ...
- Play Framework, Server Sent Events and Internet Explorer
http://www.tuicool.com/articles/7jmE7r Next week I will be presenting at Scala Days . In my talk I w ...
- 基于Ubuntu Server 16.04 LTS版本安装和部署Django之(一):安装Python3-pip和Django
近期开始学习基于Linux平台的Django开发,想配置一台可以发布的服务器,经过近一个月的努力,终于掌握了基于Apache和mod-wsgi插件的部署模式,自己也写了一个教程,一是让自己有个记录,二 ...
- Django (2006, 'MySQL server has gone away') 本地重现与解决
最近我们的Django项目供Java Sofa应用进行tr调用时, 经常会出现一个异常: django.db.utils.OperationalError: (2006, 'MySQL server ...
- Django介绍、安装配置、基本使用、Django用户注册例子
Django介绍 Django 是由 Python 开发的一个免费的开源网站框架,可以用于快速搭建高性能,优雅的网站 DjangoMTV的思想 没有controller ...
- 第三百九十节,Django+Xadmin打造上线标准的在线教育平台—Django+cropper插件头像裁剪上传
第三百九十节,Django+Xadmin打造上线标准的在线教育平台—Django+cropper插件头像裁剪上传 实现原理 前台用cropper插件,将用户上传头像时裁剪图片的坐标和图片,传到逻辑处理 ...
- 第三百七十八节,Django+Xadmin打造上线标准的在线教育平台—django自带的admin后台管理介绍
第三百七十八节,Django+Xadmin打造上线标准的在线教育平台—django自带的admin后台管理介绍 配置django的admin数据库管理后台 首先urls.py配置数据库后台路由映射,一 ...
随机推荐
- HMM:隐马尔科夫模型-维特比算法
http://blog.csdn.net/pipisorry/article/details/50731584 目标-解决HMM的基本问题之二:给定观察序列O=O1,O2,-OT以及模型λ,如何选择一 ...
- C#之FileInfo的简单操作
和DirectoryInfo一样,FileInfo类同样是很方便的就能实现复杂的功能. 如下,我们一起来看一下一个简单的小例子吧. using System; using System.Collect ...
- JavaScript压缩工具JSA使用介绍
JavaScript压缩工具JSA使用介绍 JSA绝对是我使用过的JS压缩工具中最上乘的一个.认识它是从ligerUI开始.在ligerUI的QQ讨论组里,大神--ligerUI的作者告诉我他的lig ...
- C#神器 委托 + Unity神器 协程
作为源生的C#程序员,可能已经非常了解委托(delegate).行动(Action)以及C#的事件了,不过作为一个半道转C#的程序员而言,这些东西可能还是有些陌生的,虽然委托并非是C#独创,亦非是首创 ...
- 自建log4cxx.sln
log4cxx的下载包是0.10版本的,代码较旧,有些错误,应该从主干下载最新的代码. 0.10的下载包中有projects目录,内有VC6的工程文件; 还有site目录,内有vc构建的帮助文档vst ...
- 简约才是王道? CardView 的使用
发现个好看的东东 CardView,他在support v7包中~~ 顾名思义就是卡片view,可以设置阴影,圆角,等等.. 样子是这样的: 或者你还可以放到listview里 是这样的: http: ...
- Linux进程实践(5) --守护进程
概述 守护进程是在需要在后台长期运行不受终端控制的进程,通常情况下守护进程在系统启动时自动运行,在服务器关闭的时候自动关闭:守护进程的名称通常以d结尾,比如sshd.xinetd.crond.atd等 ...
- JAVA之旅(一)——基本常识,JAVA概念,开发工具,关键字/标识符,变量/常量,进制/进制转换,运算符,三元运算
JAVA之旅(一)--基本常识,JAVA概念,开发工具,关键字/标识符,变量/常量,进制/进制转换,运算符,三元运算 Android老鸟重新学一遍JAVA是什么感觉?枯燥啊,乏味啊,而且归纳写博客,都 ...
- Android 5.0 SEAndroid下如何获得对一个内核节点的访问权限
-9]* u:object_r:tty_device:s0 # We add here /dev/wf_bt u:object_r:wf_bt_device:s0 wf_bt ...
- Xcode相关常用快捷键搜集
command + L: 跳转到指定行 control + i: 格式化代码 command + control + 上/下 在*.h和*.m之间切换. command + control ...