/usr/lib/python2.7/dist-packages/txzmq/connection.py is in python-txzmq 0.8.0-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 | """
ZeroMQ connection.
"""
from collections import deque, namedtuple
from zmq import constants, error
from zmq import Socket
from zope.interface import implementer
from twisted.internet import reactor
from twisted.internet.interfaces import IFileDescriptor, IReadDescriptor
from twisted.python import log
from zmq import zmq_version_info
from txzmq.compat import is_nonstr_iter
ZMQ3 = zmq_version_info()[0] >= 3
class ZmqEndpointType(object):
"""
Endpoint could be "bound" or "connected".
"""
bind = "bind"
"""
Bind, listen for connection.
"""
connect = "connect"
"""
Connect to another endpoint.
"""
class ZmqEndpoint(namedtuple('ZmqEndpoint', ['type', 'address'])):
"""
ZeroMQ endpoint used when connecting or listening for connections.
Consists of two members: `type` and `address`.
:var type: Could be either :attr:`ZmqEndpointType.bind` or
:attr:`ZmqEndpointType.connect`.
:var address: ZeroMQ address of endpoint, could be IP address,
filename, see ZeroMQ docs for more details.
:vartype address: str
"""
@implementer(IReadDescriptor, IFileDescriptor)
class ZmqConnection(object):
"""
Connection through ZeroMQ, wraps up ZeroMQ socket.
This class isn't supposed to be used directly, instead use one of the
descendants like :class:`ZmqPushConnection`.
:class:`ZmqConnection` implements glue between ZeroMQ and Twisted
reactor: putting polling ZeroMQ file descriptor into reactor,
processing events, reading data from socket.
:var socketType: socket type, from ZeroMQ
:var allowLoopbackMulticast: is loopback multicast allowed?
:vartype allowLoopbackMulticast: bool
:var multicastRate: maximum allowed multicast rate, kbps
:vartype multicastRate: int
:var highWaterMark: hard limit on the maximum number of outstanding
messages 0MQ shall queue in memory for any single peer
:vartype highWaterMark: int
:var tcpKeepalive: if set to 1, enable TCP keepalive, otherwise leave
it as default
:vartype tcpKeepalive: int
:var tcpKeepaliveCount: override TCP_KEEPCNT socket option
(where supported by OS)
:vartype tcpKeepaliveCount: int
:var tcpKeepaliveIdle: override TCP_KEEPCNT(or TCP_KEEPALIVE
on some OS) socket option(where supported by OS).
:vartype tcpKeepaliveIdle: int
:var tcpKeepaliveInterval: override TCP_KEEPINTVL socket
option(where supported by OS)
:vartype tcpKeepaliveInterval: int
:var reconnectInterval: set reconnection interval
:vartype reconnectInterval: int
:var reconnectIntervalMax: set maximum reconnection interval
:vartype reconnectIntervalMax: int
:var factory: ZeroMQ Twisted factory reference
:vartype factory: :class:`ZmqFactory`
:var socket: ZeroMQ Socket
:vartype socket: zmq.Socket
:var endpoints: ZeroMQ addresses for connect/bind
:vartype endpoints: list of :class:`ZmqEndpoint`
:var fd: file descriptor of zmq mailbox
:vartype fd: int
:var queue: output message queue
:vartype queue: deque
"""
socketType = None
allowLoopbackMulticast = False
multicastRate = 100
highWaterMark = 0
# Only supported by zeromq3 and pyzmq>=2.2.0.1
tcpKeepalive = 0
tcpKeepaliveCount = 0
tcpKeepaliveIdle = 0
tcpKeepaliveInterval = 0
reconnectInterval = 100
reconnectIntervalMax = 0
def __init__(self, factory, endpoint=None, identity=None):
"""
Constructor.
One endpoint is passed to the constructor, more could be added
via call to :meth:`addEndpoints`.
:param factory: ZeroMQ Twisted factory
:type factory: :class:`ZmqFactory`
:param endpoint: ZeroMQ address for connect/bind
:type endpoint: :class:`ZmqEndpoint`
:param identity: socket identity (ZeroMQ), don't set unless you know
how it works
:type identity: str
"""
self.factory = factory
self.endpoints = []
self.identity = identity
self.socket = Socket(factory.context, self.socketType)
self.queue = deque()
self.recv_parts = []
self.read_scheduled = None
self.fd = self.socket.get(constants.FD)
self.socket.set(constants.LINGER, factory.lingerPeriod)
if not ZMQ3:
self.socket.set(
constants.MCAST_LOOP, int(self.allowLoopbackMulticast))
self.socket.set(constants.RATE, self.multicastRate)
if not ZMQ3:
self.socket.set(constants.HWM, self.highWaterMark)
else:
self.socket.set(constants.SNDHWM, self.highWaterMark)
self.socket.set(constants.RCVHWM, self.highWaterMark)
if ZMQ3 and self.tcpKeepalive:
self.socket.set(
constants.TCP_KEEPALIVE, self.tcpKeepalive)
self.socket.set(
constants.TCP_KEEPALIVE_CNT, self.tcpKeepaliveCount)
self.socket.set(
constants.TCP_KEEPALIVE_IDLE, self.tcpKeepaliveIdle)
self.socket.set(
constants.TCP_KEEPALIVE_INTVL, self.tcpKeepaliveInterval)
if ZMQ3 and self.reconnectInterval:
self.socket.set(
constants.RECONNECT_IVL, self.reconnectInterval)
if ZMQ3 and self.reconnectIntervalMax:
self.socket.set(
constants.RECONNECT_IVL_MAX, self.reconnectIntervalMax)
if self.identity is not None:
self.socket.set(constants.IDENTITY, self.identity)
if endpoint:
self.addEndpoints([endpoint])
self.factory.connections.add(self)
self.factory.reactor.addReader(self)
self.doRead()
def addEndpoints(self, endpoints):
"""
Add more connection endpoints.
Connection may have many endpoints, mixing ZeroMQ protocols
(TCP, IPC, ...) and types (connect or bind).
:param endpoints: list of endpoints to add
:type endpoints: list of :class:`ZmqEndpoint`
"""
self.endpoints.extend(endpoints)
self._connectOrBind(endpoints)
def shutdown(self):
"""
Shutdown (close) connection and ZeroMQ socket.
"""
self.factory.reactor.removeReader(self)
self.factory.connections.discard(self)
self.socket.close()
self.socket = None
self.factory = None
if self.read_scheduled is not None:
self.read_scheduled.cancel()
self.read_scheduled = None
def __repr__(self):
return "%s(%r, %r)" % (
self.__class__.__name__, self.factory, self.endpoints)
def fileno(self):
"""
Implementation of :tm:`IFileDescriptor
<internet.interfaces.IFileDescriptor>`.
Returns ZeroMQ polling file descriptor.
:return: The platform-specified representation of a file descriptor
number.
"""
return self.fd
def connectionLost(self, reason):
"""
Called when the connection was lost.
Implementation of :tm:`IFileDescriptor
<internet.interfaces.IFileDescriptor>`.
This is called when the connection on a selectable object has been
lost. It will be called whether the connection was closed explicitly,
an exception occurred in an event handler, or the other end of the
connection closed it first.
"""
if self.factory:
self.factory.reactor.removeReader(self)
def _readMultipart(self):
"""
Read multipart in non-blocking manner, returns with ready message
or raising exception (in case of no more messages available).
"""
while True:
self.recv_parts.append(self.socket.recv(constants.NOBLOCK))
if not self.socket.get(constants.RCVMORE):
result, self.recv_parts = self.recv_parts, []
return result
def doRead(self):
"""
Some data is available for reading on ZeroMQ descriptor.
ZeroMQ is signalling that we should process some events,
we're starting to receive incoming messages.
Implementation of :tm:`IReadDescriptor
<internet.interfaces.IReadDescriptor>`.
"""
if self.read_scheduled is not None:
if not self.read_scheduled.called:
self.read_scheduled.cancel()
self.read_scheduled = None
while True:
if self.factory is None: # disconnected
return
events = self.socket.get(constants.EVENTS)
if (events & constants.POLLIN) != constants.POLLIN:
return
try:
message = self._readMultipart()
except error.ZMQError as e:
if e.errno == constants.EAGAIN:
continue
raise e
log.callWithLogger(self, self.messageReceived, message)
def logPrefix(self):
"""
Implementation of :tm:`ILoggingContext
<internet.interfaces.ILoggingContext>`.
:return: Prefix used during log formatting to indicate context.
:rtype: str
"""
return 'ZMQ'
def send(self, message):
"""
Send message via ZeroMQ socket.
Sending is performed directly to ZeroMQ without queueing. If HWM is
reached on ZeroMQ side, sending operation is aborted with exception
from ZeroMQ (EAGAIN).
After writing read is scheduled as ZeroMQ may not signal incoming
messages after we touched socket with write request.
:param message: message data, could be either list of str (multipart
message) or just str
:type message: str or list of str
"""
if not is_nonstr_iter(message):
self.socket.send(message, constants.NOBLOCK)
else:
for m in message[:-1]:
self.socket.send(m, constants.NOBLOCK | constants.SNDMORE)
self.socket.send(message[-1], constants.NOBLOCK)
if self.read_scheduled is None:
self.read_scheduled = reactor.callLater(0, self.doRead)
def messageReceived(self, message):
"""
Called when complete message is received.
Not implemented in :class:`ZmqConnection`, should be overridden to
handle incoming messages.
:param message: message data
"""
raise NotImplementedError(self)
def _connectOrBind(self, endpoints):
"""
Connect and/or bind socket to endpoints.
"""
for endpoint in endpoints:
if endpoint.type == ZmqEndpointType.connect:
self.socket.connect(endpoint.address)
elif endpoint.type == ZmqEndpointType.bind:
self.socket.bind(endpoint.address)
else:
assert False, "Unknown endpoint type %r" % endpoint
|