copy eventsource.py from petmail c98d5a0
This commit is contained in:
parent
d3c5fdc26a
commit
5241c07b8c
205
src/wormhole/twisted/eventsource.py
Normal file
205
src/wormhole/twisted/eventsource.py
Normal file
|
@ -0,0 +1,205 @@
|
|||
from twisted.python import log, failure
|
||||
from twisted.internet import reactor, defer, protocol
|
||||
from twisted.application import service
|
||||
from twisted.protocols import basic
|
||||
from twisted.web.client import Agent, ResponseDone
|
||||
from twisted.web.http_headers import Headers
|
||||
from .eventual import eventually
|
||||
|
||||
class EventSourceParser(basic.LineOnlyReceiver):
|
||||
delimiter = "\n"
|
||||
|
||||
def __init__(self, handler):
|
||||
self.current_field = None
|
||||
self.current_lines = []
|
||||
self.handler = handler
|
||||
self.done_deferred = defer.Deferred()
|
||||
|
||||
def connectionLost(self, why):
|
||||
if why.check(ResponseDone):
|
||||
why = None
|
||||
self.done_deferred.callback(why)
|
||||
|
||||
def dataReceived(self, data):
|
||||
# exceptions here aren't being logged properly, and tests will hang
|
||||
# rather than halt. I suspect twisted.web._newclient's
|
||||
# HTTP11ClientProtocol.dataReceived(), which catches everything and
|
||||
# responds with self._giveUp() but doesn't log.err.
|
||||
try:
|
||||
basic.LineOnlyReceiver.dataReceived(self, data)
|
||||
except:
|
||||
log.err()
|
||||
raise
|
||||
|
||||
def lineReceived(self, line):
|
||||
if not line:
|
||||
# blank line ends the field
|
||||
self.fieldReceived(self.current_field,
|
||||
"\n".join(self.current_lines))
|
||||
self.current_field = None
|
||||
self.current_lines[:] = []
|
||||
return
|
||||
if self.current_field is None:
|
||||
self.current_field, data = line.split(": ", 1)
|
||||
self.current_lines.append(data)
|
||||
else:
|
||||
self.current_lines.append(line)
|
||||
|
||||
def fieldReceived(self, name, data):
|
||||
self.handler(name, data)
|
||||
|
||||
class EventSourceError(Exception):
|
||||
pass
|
||||
|
||||
# es = EventSource(url, handler)
|
||||
# d = es.start()
|
||||
# es.cancel()
|
||||
|
||||
class EventSource: # TODO: service.Service
|
||||
def __init__(self, url, handler, when_connected=None):
|
||||
self.url = url
|
||||
self.handler = handler
|
||||
self.when_connected = when_connected
|
||||
self.started = False
|
||||
self.cancelled = False
|
||||
self.proto = EventSourceParser(self.handler)
|
||||
|
||||
def start(self):
|
||||
assert not self.started, "single-use"
|
||||
self.started = True
|
||||
a = Agent(reactor)
|
||||
d = a.request("GET", self.url,
|
||||
Headers({"accept": ["text/event-stream"]}))
|
||||
d.addCallback(self._connected)
|
||||
return d
|
||||
|
||||
def _connected(self, resp):
|
||||
if resp.code != 200:
|
||||
raise EventSourceError("%d: %s" % (resp.code, resp.phrase))
|
||||
if self.when_connected:
|
||||
self.when_connected()
|
||||
#if resp.headers.getRawHeaders("content-type") == ["text/event-stream"]:
|
||||
resp.deliverBody(self.proto)
|
||||
if self.cancelled:
|
||||
self.kill_connection()
|
||||
return self.proto.done_deferred
|
||||
|
||||
def cancel(self):
|
||||
self.cancelled = True
|
||||
if not self.proto.transport:
|
||||
# _connected hasn't been called yet, but that self.cancelled
|
||||
# should take care of it when the connection is established
|
||||
def kill(data):
|
||||
# this should kill it as soon as any data is delivered
|
||||
raise ValueError("dead")
|
||||
self.proto.dataReceived = kill # just in case
|
||||
return
|
||||
self.kill_connection()
|
||||
|
||||
def kill_connection(self):
|
||||
if (hasattr(self.proto.transport, "_producer")
|
||||
and self.proto.transport._producer):
|
||||
# This is gross and fragile. We need a clean way to stop the
|
||||
# client connection. p.transport is a
|
||||
# twisted.web._newclient.TransportProxyProducer , and its
|
||||
# ._producer is the tcp.Port.
|
||||
self.proto.transport._producer.loseConnection()
|
||||
else:
|
||||
log.err("get_events: unable to stop connection")
|
||||
# oh well
|
||||
#err = EventSourceError("unable to cancel")
|
||||
try:
|
||||
self.proto.done_deferred.callback(None)
|
||||
except defer.AlreadyCalledError:
|
||||
pass
|
||||
|
||||
|
||||
class Connector:
|
||||
# behave enough like an IConnector to appease ReconnectingClientFactory
|
||||
def __init__(self, res):
|
||||
self.res = res
|
||||
def connect(self):
|
||||
self.res._maybeStart()
|
||||
def stopConnecting(self):
|
||||
self.res._stop_eventsource()
|
||||
|
||||
class ReconnectingEventSource(service.MultiService,
|
||||
protocol.ReconnectingClientFactory):
|
||||
def __init__(self, baseurl, connection_starting, handler):
|
||||
service.MultiService.__init__(self)
|
||||
# we don't use any of the basic Factory/ClientFactory methods of
|
||||
# this, just the ReconnectingClientFactory.retry, stopTrying, and
|
||||
# resetDelay methods.
|
||||
|
||||
self.baseurl = baseurl
|
||||
self.connection_starting = connection_starting
|
||||
self.handler = handler
|
||||
# IService provides self.running, toggled by {start,stop}Service.
|
||||
# self.active is toggled by {,de}activate. If both .running and
|
||||
# .active are True, then we want to have an outstanding EventSource
|
||||
# and will start one if necessary. If either is False, then we don't
|
||||
# want one to be outstanding, and will initiate shutdown.
|
||||
self.active = False
|
||||
self.connector = Connector(self)
|
||||
self.es = None # set we have an outstanding EventSource
|
||||
self.when_stopped = [] # list of Deferreds
|
||||
|
||||
def isStopped(self):
|
||||
return not self.es
|
||||
|
||||
def startService(self):
|
||||
service.MultiService.startService(self) # sets self.running
|
||||
self._maybeStart()
|
||||
|
||||
def stopService(self):
|
||||
# clears self.running
|
||||
d = defer.maybeDeferred(service.MultiService.stopService, self)
|
||||
d.addCallback(self._maybeStop)
|
||||
return d
|
||||
|
||||
def activate(self):
|
||||
assert not self.active
|
||||
self.active = True
|
||||
self._maybeStart()
|
||||
|
||||
def deactivate(self):
|
||||
assert self.active # XXX
|
||||
self.active = False
|
||||
return self._maybeStop()
|
||||
|
||||
def _maybeStart(self):
|
||||
if not (self.active and self.running):
|
||||
return
|
||||
self.continueTrying = True
|
||||
url = self.connection_starting()
|
||||
self.es = EventSource(url, self.handler, self.resetDelay)
|
||||
d = self.es.start()
|
||||
d.addBoth(self._stopped)
|
||||
|
||||
def _stopped(self, res):
|
||||
self.es = None
|
||||
# we might have stopped because of a connection error, or because of
|
||||
# an intentional shutdown.
|
||||
if self.active and self.running:
|
||||
# we still want to be connected, so schedule a reconnection
|
||||
if isinstance(res, failure.Failure):
|
||||
log.err(res)
|
||||
self.retry() # will eventually call _maybeStart
|
||||
return
|
||||
# intentional shutdown
|
||||
self.stopTrying()
|
||||
for d in self.when_stopped:
|
||||
eventually(d.callback, None)
|
||||
self.when_stopped = []
|
||||
|
||||
def _stop_eventsource(self):
|
||||
if self.es:
|
||||
eventually(self.es.cancel)
|
||||
|
||||
def _maybeStop(self, _=None):
|
||||
self.stopTrying() # cancels timer, calls _stop_eventsource()
|
||||
if not self.es:
|
||||
return defer.succeed(None)
|
||||
d = defer.Deferred()
|
||||
self.when_stopped.append(d)
|
||||
return d
|
Loading…
Reference in New Issue
Block a user