簡體   English   中英

Django頻道/達芙妮的Websocket超時

[英]Websocket timeout in Django Channels / Daphne

簡短的問題版本:在我的Daphne配置,我的消費者代碼或我的客戶端代碼中,我做錯了什么?

channels==1.1.8
daphne==1.3.0
Django==1.11.7

詳情如下:


我試圖使用Django Channels和Daphne接口服務器保持持久的Websocket連接打開。 我正在使用大多數默認參數啟動Daphne: daphne -b 0.0.0.0 -p 8000 my_app.asgi:channel_layer

我看到連接在瀏覽器中的一些空閑時間后關閉,很快超過20秒。 與斷開連接發送的CloseEventcode值為1006 (異常關閉),沒有設置reason ,並且wasClean設置為false。 應該是服務器關閉連接而不發送顯式關閉幀。

Daphne CLI具有--ping-interval--ping-timeout標志,默認值分別為20秒和30秒。 對於前者,這被記錄為“在發送保持活動ping之前WebSocket必須空閑的秒數”,對於后者,記錄為“如果對keepalive ping沒有響應則關閉WebSocket之前的秒數”。 我讀到這個,因為Daphne將等待WebSocket空閑20秒發送ping,如果30秒后沒有收到響應,將關閉Websocket。 我所看到的是連接在空閑20秒后關閉。 (默認情況下三次嘗試,在20081ms,20026ms和20032ms之后關閉)

如果我將服務器更改為使用daphne -b 0.0.0.0 -p 8000 --ping-interval 10 --ping-timeout 60 my_app.asgi:channel_layer ,則連接仍然關閉,大約20秒空閑時間。 (經過三次嘗試更新ping后,在19892ms之后關閉,20011ms,19956ms)

代碼如下:


consumer.py

import logging

from channels import Group
from channels.generic.websockets import JsonWebsocketConsumer

from my_app import utilities

logger = logging.getLogger(__name__)

class DemoConsumer(JsonWebsocketConsumer):
    """
    Consumer echos the incoming message to all connected Websockets,
    and attaches the username to the outgoing message.
    """
    channel_session = True
    http_user_and_session = True

    @classmethod
    def decode_json(cls, text):
        return utilities.JSONDecoder.loads(text)

    @classmethod
    def encode_json(cls, content):
        return utilities.JSONEncoder.dumps(content)

    def connection_groups(self, **kwargs):
        return ['demo']

    def connect(self, message, **kwargs):
        super(DemoConsumer, self).connect(message, **kwargs)
        logger.info('Connected to DemoConsumer')

    def disconnect(self, message, **kwargs):
        super(DemoConsumer, self).disconnect(message, **kwargs)
        logger.info('Disconnected from DemoConsumer')

    def receive(self, content, **kwargs):
        super(DemoConsumer, self).receive(content, **kwargs)
        content['user'] = self.message.user.username
        # echo back content to all groups
        for group in self.connection_groups():
            self.group_send(group, content)

routing.py

from channels.routing import route

from . import consumers

channel_routing = [
    consumers.DemoConsumer.as_route(path=r'^/demo/'),
]

demo.js

// Tracks the cursor and sends position via a Websocket
// Listens for updated cursor positions and moves an icon to that location
$(function () {
  var socket = new WebSocket('ws://' + window.location.host + '/demo/');
  var icon;
  var moveTimer = null;
  var position = {x: null, y: null};
  var openTime = null;
  var lastTime = null;
  function sendPosition() {
    if (socket.readyState === socket.OPEN) {
      console.log('Sending ' + position.x + ', ' + position.y);
      socket.send(JSON.stringify(position));
      lastTime = Date.now();
    } else {
      console.log('Socket is closed');
    }
    // sending at-most 20Hz
    setTimeout(function () { moveTimer = null; }, 50);
  };
  socket.onopen = function (e) {
    var box = $('#websocket_box');
    icon = $('<div class="pointer_icon"></div>').insertAfter(box);
    box.on('mousemove', function (me) {
      // some browsers will generate these events much closer together
      // rather than overwhelm the server, batch them up and send at a reasonable rate
      if (moveTimer === null) {
        moveTimer = setTimeout(sendPosition, 0);
      }
      position.x = me.offsetX;
      position.y = me.offsetY;
    });
    openTime = lastTime = Date.now();
  };
  socket.onclose = function (e) {
    console.log("!!! CLOSING !!! " + e.code + " " + e.reason + " --" + e.wasClean);
    console.log('Time since open: ' + (Date.now() - openTime) + 'ms');
    console.log('Time since last: ' + (Date.now() - lastTime) + 'ms');
    icon.remove();
  };
  socket.onmessage = function (e) {
    var msg, box_offset;
    console.log(e);
    msg = JSON.parse(e.data);
    box_offset = $('#websocket_box').offset();
    if (msg && Number.isFinite(msg.x) && Number.isFinite(msg.y)) {
      console.log((msg.x + box_offset.left) + ', ' + (msg.y + box_offset.top));
      icon.offset({
        left: msg.x + box_offset.left,
        top: msg.y + box_offset.top
      }).text(msg.user || '');
    }
  };
});

asgi.py

import os
from channels.asgi import get_channel_layer

os.environ.setdefault("DJANGO_SETTINGS_MODULE", "my_project.settings")

channel_layer = get_channel_layer()

settings.py

CHANNEL_LAYERS = {
    'default': {
        'BACKEND': 'asgi_redis.RedisChannelLayer',
        'ROUTING': 'main.routing.channel_routing',
        'CONFIG': {
            'hosts': [
                'redis://redis:6379/2',
            ],
            'symmetric_encryption_keys': [
                SECRET_KEY,
            ],
        }
    }
}

根本問題是接口服務器前面的nginx代理。 代理設置為proxy_read_timeout 20s; 如果從服務器生成了keepalive ping,則這些ping不會計入上游讀取超時。 將此超時增加到更大的值允許Websocket更長時間保持打開狀態。 我保持proxy_connect_timeoutproxy_send_timeout20s

暫無
暫無

聲明:本站的技術帖子網頁,遵循CC BY-SA 4.0協議,如果您需要轉載,請注明本站網址或者原文地址。任何問題請咨詢:yoyou2525@163.com.

 
粵ICP備18138465號  © 2020-2024 STACKOOM.COM