Python/BLIP.py
author morrowa
Tue Jun 23 13:52:28 2009 -0700 (2009-06-23)
changeset 54 6d1392a3e0a6
parent 53 e9f209a24d53
child 56 6c3b5372a307
permissions -rw-r--r--
Moved _handleCloseRequest to a new method. Added warning messages.
jens@11
     1
# encoding: utf-8
jens@11
     2
"""
jens@11
     3
BLIP.py
jens@11
     4
jens@11
     5
Created by Jens Alfke on 2008-06-03.
jens@13
     6
Copyright notice and BSD license at end of file.
jens@11
     7
"""
jens@11
     8
jens@11
     9
import asynchat
jens@11
    10
import asyncore
jens@11
    11
from cStringIO import StringIO
jens@11
    12
import logging
jens@11
    13
import socket
jens@11
    14
import struct
jens@11
    15
import sys
jens@11
    16
import traceback
jens@11
    17
import zlib
jens@11
    18
jens@11
    19
jens@13
    20
# Connection status enumeration:
jens@13
    21
kDisconnected = -1
jens@13
    22
kClosed  = 0
jens@13
    23
kOpening = 1
jens@13
    24
kOpen    = 2
jens@13
    25
kClosing = 3
jens@13
    26
jens@13
    27
jens@12
    28
# INTERNAL CONSTANTS -- NO TOUCHIES!
jens@12
    29
morrowa@51
    30
kFrameMagicNumber   = 0x9B34F206
jens@11
    31
kFrameHeaderFormat  = '!LLHH'
jens@11
    32
kFrameHeaderSize    = 12
jens@11
    33
jens@11
    34
kMsgFlag_TypeMask   = 0x000F
jens@11
    35
kMsgFlag_Compressed = 0x0010
jens@11
    36
kMsgFlag_Urgent     = 0x0020
jens@11
    37
kMsgFlag_NoReply    = 0x0040
jens@11
    38
kMsgFlag_MoreComing = 0x0080
morrowa@51
    39
kMsgFlag_Meta       = 0x0100
jens@11
    40
jens@11
    41
kMsgType_Request    = 0
jens@11
    42
kMsgType_Response   = 1
jens@11
    43
kMsgType_Error      = 2
jens@11
    44
morrowa@51
    45
kMsgProfile_Hi      = "Hi"
morrowa@51
    46
kMsgProfile_Bye     = "Bye"
morrowa@51
    47
jens@11
    48
jens@11
    49
log = logging.getLogger('BLIP')
jens@11
    50
log.propagate = True
jens@11
    51
jens@12
    52
jens@11
    53
class MessageException(Exception):
jens@11
    54
    pass
jens@11
    55
jens@11
    56
class ConnectionException(Exception):
jens@11
    57
    pass
jens@11
    58
jens@11
    59
jens@13
    60
### LISTENER AND CONNECTION CLASSES:
jens@13
    61
jens@13
    62
jens@11
    63
class Listener (asyncore.dispatcher):
jens@12
    64
    "BLIP listener/server class"
jens@12
    65
    
jens@13
    66
    def __init__(self, port, sslKeyFile=None, sslCertFile=None):
jens@12
    67
        "Create a listener on a port"
jens@11
    68
        asyncore.dispatcher.__init__(self)
jens@12
    69
        self.onConnected = self.onRequest = None
jens@11
    70
        self.create_socket(socket.AF_INET, socket.SOCK_STREAM)
jens@11
    71
        self.bind( ('',port) )
jens@11
    72
        self.listen(5)
jens@13
    73
        self.sslKeyFile=sslKeyFile
jens@13
    74
        self.sslCertFile=sslCertFile
jens@11
    75
        log.info("Listening on port %u", port)
jens@11
    76
    
jens@11
    77
    def handle_accept( self ):
jens@13
    78
        socket,address = self.accept()
jens@13
    79
        if self.sslKeyFile:
jens@13
    80
            socket.ssl(socket,self.sslKeyFile,self.sslCertFile)
jens@13
    81
        conn = Connection(address, sock=socket, listener=self)
jens@11
    82
        conn.onRequest = self.onRequest
jens@11
    83
        if self.onConnected:
jens@11
    84
            self.onConnected(conn)
jens@11
    85
jens@13
    86
    def handle_error(self):
jens@13
    87
        (typ,val,trace) = sys.exc_info()
jens@13
    88
        log.error("Listener caught: %s %s\n%s", typ,val,traceback.format_exc())
jens@13
    89
        self.close()
jens@13
    90
    
jens@13
    91
jens@11
    92
jens@11
    93
class Connection (asynchat.async_chat):
jens@13
    94
    def __init__( self, address, sock=None, listener=None, ssl=None ):
jens@12
    95
        "Opens a connection with the given address. If a connection/socket object is provided it'll use that,"
jens@12
    96
        "otherwise it'll open a new outgoing socket."
jens@13
    97
        if sock:
jens@13
    98
            asynchat.async_chat.__init__(self,sock)
jens@11
    99
            log.info("Accepted connection from %s",address)
jens@13
   100
            self.status = kOpen
jens@11
   101
        else:
jens@13
   102
            asynchat.async_chat.__init__(self)
jens@11
   103
            log.info("Opening connection to %s",address)
jens@11
   104
            self.create_socket(socket.AF_INET, socket.SOCK_STREAM)
jens@13
   105
            self.status = kOpening
jens@13
   106
            if ssl:
jens@13
   107
                ssl(self.socket)
jens@11
   108
            self.connect(address)
jens@13
   109
        self.address = address
jens@13
   110
        self.listener = listener
morrowa@51
   111
        self.onRequest = self.onCloseRequest = self.onCloseRefused = None
jens@11
   112
        self.pendingRequests = {}
jens@11
   113
        self.pendingResponses = {}
jens@11
   114
        self.outBox = []
jens@11
   115
        self.inMessage = None
jens@13
   116
        self.inNumRequests = self.outNumRequests = 0
jens@14
   117
        self.sending = False
jens@11
   118
        self._endOfFrame()
morrowa@51
   119
        self._closeWhenPossible = False
jens@11
   120
    
jens@13
   121
    def handle_connect(self):
jens@13
   122
        log.info("Connection open!")
jens@13
   123
        self.status = kOpen
jens@13
   124
    
jens@13
   125
    def handle_error(self):
jens@13
   126
        (typ,val,trace) = sys.exc_info()
jens@13
   127
        log.error("Connection caught: %s %s\n%s", typ,val,traceback.format_exc())
jens@13
   128
        self.discard_buffers()
jens@13
   129
        self.status = kDisconnected
jens@11
   130
        self.close()
jens@11
   131
    
jens@11
   132
    
jens@11
   133
    ### SENDING:
jens@11
   134
    
jens@13
   135
    @property
morrowa@51
   136
    def isOpen(self):
jens@13
   137
        return self.status==kOpening or self.status==kOpen
jens@13
   138
    
morrowa@51
   139
    @property
morrowa@51
   140
    def canSend(self):
morrowa@51
   141
        return self.isOpen and not self._closeWhenPossible
morrowa@51
   142
    
jens@13
   143
    def _sendMessage(self, msg):
morrowa@51
   144
        if self.isOpen:
jens@13
   145
            self._outQueueMessage(msg,True)
jens@14
   146
            if not self.sending:
jens@14
   147
                log.debug("Waking up the output stream")
jens@14
   148
                self.sending = True
jens@14
   149
                self.push_with_producer(self)
jens@13
   150
            return True
jens@13
   151
        else:
jens@13
   152
            return False
jens@13
   153
    
jens@13
   154
    def _sendRequest(self, req):
jens@13
   155
        if self.canSend:
jens@13
   156
            requestNo = req.requestNo = self.outNumRequests = self.outNumRequests + 1
jens@13
   157
            response = req.response
jens@13
   158
            if response:
jens@13
   159
                response.requestNo = requestNo
jens@13
   160
                self.pendingResponses[requestNo] = response
jens@13
   161
                log.debug("pendingResponses[%i] := %s",requestNo,response)
jens@13
   162
            return self._sendMessage(req)
jens@13
   163
        else:
morrowa@54
   164
            log.warning("%s: Attempt to send a request after the connection has started closing: %s" % (self, req))
jens@13
   165
            return False
jens@13
   166
    
jens@11
   167
    def _outQueueMessage(self, msg,isNew=True):
jens@12
   168
        n = len(self.outBox)
jens@11
   169
        index = n
jens@11
   170
        if msg.urgent and n>1:
jens@11
   171
            while index > 0:
jens@12
   172
                otherMsg = self.outBox[index-1]
jens@11
   173
                if otherMsg.urgent:
jens@11
   174
                    if index<n:
jens@11
   175
                        index += 1
jens@11
   176
                    break
jens@14
   177
                elif isNew and otherMsg.bytesSent==0:
jens@11
   178
                    break
jens@11
   179
                index -= 1
jens@11
   180
            else:
jens@11
   181
                index = 1
jens@12
   182
        
jens@11
   183
        self.outBox.insert(index,msg)
jens@11
   184
        if isNew:
jens@13
   185
            log.info("Queuing %s at index %i",msg,index)
jens@12
   186
        else:
jens@12
   187
            log.debug("Re-queueing outgoing message at index %i of %i",index,len(self.outBox))
jens@11
   188
    
jens@14
   189
    def more(self):
jens@14
   190
        n = len(self.outBox)
jens@14
   191
        if n > 0:
jens@14
   192
            msg = self.outBox.pop(0)
jens@14
   193
            frameSize = 4096
jens@14
   194
            if msg.urgent or n==1 or not self.outBox[0].urgent:
jens@14
   195
                frameSize *= 4
jens@14
   196
            data = msg._sendNextFrame(frameSize)
jens@14
   197
            if msg._moreComing:
jens@14
   198
                self._outQueueMessage(msg,isNew=False)
jens@14
   199
            else:
jens@14
   200
                log.info("Finished sending %s",msg)
jens@14
   201
            return data
jens@14
   202
        else:
jens@14
   203
            log.debug("Nothing more to send")
jens@14
   204
            self.sending = False
morrowa@51
   205
            self._closeIfReady()
jens@14
   206
            return None
jens@11
   207
    
jens@11
   208
    ### RECEIVING:
jens@11
   209
    
jens@11
   210
    def collect_incoming_data(self, data):
jens@11
   211
        if self.expectingHeader:
jens@11
   212
            if self.inHeader==None:
jens@11
   213
                self.inHeader = data
jens@11
   214
            else:
jens@11
   215
                self.inHeader += data
jens@13
   216
        elif self.inMessage:
jens@11
   217
            self.inMessage._receivedData(data)
jens@12
   218
    
jens@11
   219
    def found_terminator(self):
jens@11
   220
        if self.expectingHeader:
jens@11
   221
            # Got a header:
jens@11
   222
            (magic, requestNo, flags, frameLen) = struct.unpack(kFrameHeaderFormat,self.inHeader)
jens@11
   223
            self.inHeader = None
jens@13
   224
            if magic!=kFrameMagicNumber: raise ConnectionException, "Incorrect frame magic number %x" %magic
jens@13
   225
            if frameLen < kFrameHeaderSize: raise ConnectionException,"Invalid frame length %u" %frameLen
jens@11
   226
            frameLen -= kFrameHeaderSize
jens@11
   227
            log.debug("Incoming frame: type=%i, number=%i, flags=%x, length=%i",
jens@11
   228
                        (flags&kMsgFlag_TypeMask),requestNo,flags,frameLen)
jens@11
   229
            self.inMessage = self._inMessageForFrame(requestNo,flags)
jens@11
   230
            
jens@11
   231
            if frameLen > 0:
jens@11
   232
                self.expectingHeader = False
jens@11
   233
                self.set_terminator(frameLen)
jens@11
   234
            else:
jens@11
   235
                self._endOfFrame()
jens@12
   236
        
jens@11
   237
        else:
jens@11
   238
            # Got the frame's payload:
jens@11
   239
            self._endOfFrame()
jens@11
   240
    
jens@11
   241
    def _inMessageForFrame(self, requestNo,flags):
jens@11
   242
        message = None
jens@11
   243
        msgType = flags & kMsgFlag_TypeMask
jens@11
   244
        if msgType==kMsgType_Request:
jens@11
   245
            message = self.pendingRequests.get(requestNo)
jens@11
   246
            if message==None and requestNo == self.inNumRequests+1:
jens@11
   247
                message = IncomingRequest(self,requestNo,flags)
jens@12
   248
                assert message!=None
jens@11
   249
                self.pendingRequests[requestNo] = message
jens@11
   250
                self.inNumRequests += 1
jens@11
   251
        elif msgType==kMsgType_Response or msgType==kMsgType_Error:
jens@11
   252
            message = self.pendingResponses.get(requestNo)
morrowa@51
   253
            message._updateFlags(flags)
jens@12
   254
        
jens@12
   255
        if message != None:
jens@11
   256
            message._beginFrame(flags)
jens@11
   257
        else:
jens@11
   258
            log.warning("Ignoring unexpected frame with type %u, request #%u", msgType,requestNo)
jens@11
   259
        return message
jens@11
   260
    
jens@11
   261
    def _endOfFrame(self):
jens@11
   262
        msg = self.inMessage
jens@11
   263
        self.inMessage = None
jens@11
   264
        self.expectingHeader = True
jens@11
   265
        self.inHeader = None
jens@11
   266
        self.set_terminator(kFrameHeaderSize) # wait for binary header
jens@11
   267
        if msg:
jens@11
   268
            log.debug("End of frame of %s",msg)
jens@13
   269
            if not msg._moreComing:
jens@11
   270
                self._receivedMessage(msg)
jens@12
   271
    
jens@11
   272
    def _receivedMessage(self, msg):
jens@11
   273
        log.info("Received: %s",msg)
jens@11
   274
        # Remove from pending:
jens@11
   275
        if msg.isResponse:
jens@13
   276
            del self.pendingResponses[msg.requestNo]
jens@11
   277
        else:
jens@11
   278
            del self.pendingRequests[msg.requestNo]
jens@11
   279
        # Decode:
jens@11
   280
        try:
jens@11
   281
            msg._finished()
jens@12
   282
            if not msg.isResponse:
morrowa@51
   283
                if msg._meta:
morrowa@51
   284
                    self._dispatchMetaRequest(msg)
morrowa@51
   285
                else:
morrowa@51
   286
                    self.onRequest(msg)
jens@11
   287
        except Exception, x:
jens@12
   288
            log.error("Exception handling incoming message: %s", traceback.format_exc())
jens@11
   289
            #FIX: Send an error reply
morrowa@51
   290
        # Check to see if we're done and ready to close:
morrowa@51
   291
        self._closeIfReady()
morrowa@51
   292
    
morrowa@51
   293
    def _dispatchMetaRequest(self, request):
morrowa@51
   294
        """Handles dispatching internal meta requests."""
morrowa@51
   295
        if request['Profile'] == kMsgProfile_Bye:
morrowa@54
   296
            self._handleCloseRequest(request)
morrowa@51
   297
        else:
morrowa@51
   298
            response = request.response
morrowa@51
   299
            response.isError = True
morrowa@51
   300
            response['Error-Domain'] = "BLIP"
morrowa@51
   301
            response['Error-Code'] = 404
morrowa@51
   302
            response.body = "Unknown meta profile"
morrowa@51
   303
            response.send()
morrowa@51
   304
    
morrowa@51
   305
    ### CLOSING:
morrowa@51
   306
    
morrowa@54
   307
    def _handleCloseRequest(self, request):
morrowa@54
   308
        """Handles requests from a peer to close."""
morrowa@54
   309
        shouldClose = True
morrowa@54
   310
        if self.onCloseRequest:
morrowa@54
   311
            shouldClose = self.onCloseRequest()
morrowa@54
   312
        if not shouldClose:
morrowa@54
   313
            log.debug("Sending resfusal to close...")
morrowa@54
   314
            response = request.response
morrowa@54
   315
            response.isError = True
morrowa@54
   316
            response['Error-Domain'] = "BLIP"
morrowa@54
   317
            response['Error-Code'] = 403
morrowa@54
   318
            response.body = "Close request denied"
morrowa@54
   319
            response.send()
morrowa@54
   320
        else:
morrowa@54
   321
            log.debug("Sending permission to close...")
morrowa@54
   322
            response = request.response
morrowa@54
   323
            response.send()
morrowa@54
   324
    
morrowa@51
   325
    def close(self):
morrowa@51
   326
        """Publicly callable close method. Sends close request to peer."""
morrowa@51
   327
        if self.status != kOpen:
morrowa@51
   328
            return False
morrowa@51
   329
        log.info("Sending close request...")
morrowa@51
   330
        req = OutgoingRequest(self, None, {'Profile': kMsgProfile_Bye})
morrowa@51
   331
        req._meta = True
morrowa@51
   332
        req.response.onComplete = self._handleCloseResponse
morrowa@51
   333
        if not req.send():
morrowa@51
   334
            log.error("Error sending close request.")
morrowa@51
   335
            return False
morrowa@51
   336
        else:
morrowa@51
   337
            self.status = kClosing
morrowa@51
   338
        return True
morrowa@51
   339
    
morrowa@51
   340
    def _handleCloseResponse(self, response):
morrowa@51
   341
        """Called when we receive a response to a close request."""
morrowa@51
   342
        log.info("Received close response.")
morrowa@51
   343
        if response.isError:
morrowa@51
   344
            # remote refused to close
morrowa@51
   345
            if self.onCloseRefused:
morrowa@51
   346
                self.onCloseRefused(response)
morrowa@51
   347
            self.status = kOpen
morrowa@51
   348
        else:
morrowa@51
   349
            # now wait until everything has finished sending, then actually close
morrowa@51
   350
            log.info("No refusal, actually closing...")
morrowa@51
   351
            self._closeWhenPossible = True
morrowa@51
   352
    
morrowa@51
   353
    def _closeIfReady(self):
morrowa@51
   354
        """Checks if all transmissions are complete and then closes the actual socket."""
morrowa@51
   355
        if self._closeWhenPossible and len(self.outBox) == 0 and len(self.pendingRequests) == 0 and len(self.pendingResponses) == 0:
morrowa@51
   356
            # self._closeWhenPossible = False
morrowa@51
   357
            log.debug("_closeIfReady closing.")
morrowa@51
   358
            asynchat.async_chat.close(self)
morrowa@51
   359
    
morrowa@51
   360
    def handle_close(self):
morrowa@51
   361
        """Called when the socket actually closes."""
morrowa@51
   362
        log.info("Connection closed!")
morrowa@51
   363
        self.pendingRequests = self.pendingResponses = None
morrowa@51
   364
        self.outBox = None
morrowa@51
   365
        if self.status == kClosing:
morrowa@51
   366
            self.status = kClosed
morrowa@51
   367
        else:
morrowa@51
   368
            self.status = kDisconnected
morrowa@53
   369
        asyncore.dispatcher.close(self)
jens@11
   370
jens@12
   371
jens@13
   372
### MESSAGE CLASSES:
jens@11
   373
jens@11
   374
jens@11
   375
class Message (object):
jens@12
   376
    "Abstract superclass of all request/response objects"
jens@12
   377
    
jens@13
   378
    def __init__(self, connection, body=None, properties=None):
jens@11
   379
        self.connection = connection
jens@13
   380
        self.body = body
jens@11
   381
        self.properties = properties or {}
jens@13
   382
        self.requestNo = None
jens@11
   383
    
jens@11
   384
    @property
jens@11
   385
    def flags(self):
jens@12
   386
        if self.isResponse:
morrowa@51
   387
            if self.isError:
morrowa@51
   388
                flags = kMsgType_Error
morrowa@51
   389
            else:
morrowa@51
   390
                flags = kMsgType_Response
jens@12
   391
        else:
jens@12
   392
            flags = kMsgType_Request
jens@11
   393
        if self.urgent:     flags |= kMsgFlag_Urgent
jens@11
   394
        if self.compressed: flags |= kMsgFlag_Compressed
jens@11
   395
        if self.noReply:    flags |= kMsgFlag_NoReply
jens@13
   396
        if self._moreComing:flags |= kMsgFlag_MoreComing
morrowa@51
   397
        if self._meta:      flags |= kMsgFlag_Meta
jens@11
   398
        return flags
jens@11
   399
    
jens@11
   400
    def __str__(self):
jens@13
   401
        s = "%s[" %(type(self).__name__)
jens@13
   402
        if self.requestNo != None:
jens@13
   403
            s += "#%i" %self.requestNo
jens@11
   404
        if self.urgent:     s += " URG"
jens@11
   405
        if self.compressed: s += " CMP"
jens@11
   406
        if self.noReply:    s += " NOR"
jens@13
   407
        if self._moreComing:s += " MOR"
morrowa@51
   408
        if self._meta:      s += " MET"
jens@11
   409
        if self.body:       s += " %i bytes" %len(self.body)
jens@11
   410
        return s+"]"
jens@11
   411
    
jens@11
   412
    def __repr__(self):
jens@11
   413
        s = str(self)
jens@11
   414
        if len(self.properties): s += repr(self.properties)
jens@11
   415
        return s
jens@12
   416
    
jens@13
   417
    @property
jens@11
   418
    def isResponse(self):
jens@12
   419
        "Is this message a response?"
jens@11
   420
        return False
jens@12
   421
    
jens@13
   422
    @property
jens@12
   423
    def contentType(self):
jens@12
   424
        return self.properties.get('Content-Type')
jens@12
   425
    
jens@12
   426
    def __getitem__(self, key):     return self.properties.get(key)
jens@12
   427
    def __contains__(self, key):    return key in self.properties
jens@12
   428
    def __len__(self):              return len(self.properties)
jens@12
   429
    def __nonzero__(self):          return True
jens@12
   430
    def __iter__(self):             return self.properties.__iter__()
jens@11
   431
jens@11
   432
jens@11
   433
class IncomingMessage (Message):
jens@12
   434
    "Abstract superclass of incoming messages."
jens@12
   435
    
jens@11
   436
    def __init__(self, connection, requestNo, flags):
jens@11
   437
        super(IncomingMessage,self).__init__(connection)
jens@11
   438
        self.requestNo  = requestNo
morrowa@51
   439
        self._updateFlags(flags)
morrowa@51
   440
        self.frames     = []
morrowa@51
   441
    
morrowa@51
   442
    def _updateFlags(self, flags):
jens@12
   443
        self.urgent     = (flags & kMsgFlag_Urgent) != 0
jens@11
   444
        self.compressed = (flags & kMsgFlag_Compressed) != 0
jens@11
   445
        self.noReply    = (flags & kMsgFlag_NoReply) != 0
jens@13
   446
        self._moreComing= (flags & kMsgFlag_MoreComing) != 0
morrowa@51
   447
        self._meta      = (flags & kMsgFlag_Meta) != 0
morrowa@51
   448
        self.isError    = (flags & kMsgType_Error) != 0
jens@11
   449
    
jens@11
   450
    def _beginFrame(self, flags):
jens@13
   451
        """Received a frame header."""
jens@13
   452
        self._moreComing = (flags & kMsgFlag_MoreComing)!=0
jens@12
   453
    
jens@11
   454
    def _receivedData(self, data):
jens@13
   455
        """Received data from a frame."""
jens@11
   456
        self.frames.append(data)
jens@11
   457
    
jens@11
   458
    def _finished(self):
jens@13
   459
        """The entire message has been received; now decode it."""
jens@11
   460
        encoded = "".join(self.frames)
jens@11
   461
        self.frames = None
jens@11
   462
        
jens@11
   463
        # Decode the properties:
jens@11
   464
        if len(encoded) < 2: raise MessageException, "missing properties length"
jens@11
   465
        propSize = 2 + struct.unpack('!H',encoded[0:2])[0]
jens@11
   466
        if propSize>len(encoded): raise MessageException, "properties too long to fit"
jens@11
   467
        if propSize>2 and encoded[propSize-1] != '\000': raise MessageException, "properties are not nul-terminated"
jens@11
   468
        
morrowa@51
   469
        if propSize > 2:
morrowa@51
   470
            proplist = encoded[2:propSize-1].split('\000')
morrowa@51
   471
        
morrowa@51
   472
            if len(proplist) & 1: raise MessageException, "odd number of property strings"
morrowa@51
   473
            for i in xrange(0,len(proplist),2):
morrowa@51
   474
                def expand(str):
morrowa@51
   475
                    if len(str)==1:
morrowa@51
   476
                        str = IncomingMessage.__expandDict.get(str,str)
morrowa@51
   477
                    return str
morrowa@51
   478
                self.properties[ expand(proplist[i])] = expand(proplist[i+1])
morrowa@51
   479
        
jens@11
   480
        encoded = encoded[propSize:]
jens@11
   481
        # Decode the body:
jens@11
   482
        if self.compressed and len(encoded)>0:
jens@11
   483
            try:
jens@11
   484
                encoded = zlib.decompress(encoded,31)   # window size of 31 needed for gzip format
jens@11
   485
            except zlib.error:
jens@11
   486
                raise MessageException, sys.exc_info()[1]
jens@11
   487
        self.body = encoded
jens@11
   488
    
jens@11
   489
    __expandDict= {'\x01' : "Content-Type",
jens@11
   490
                   '\x02' : "Profile",
jens@11
   491
                   '\x03' : "application/octet-stream",
jens@11
   492
                   '\x04' : "text/plain; charset=UTF-8",
jens@11
   493
                   '\x05' : "text/xml",
jens@11
   494
                   '\x06' : "text/yaml",
jens@11
   495
                   '\x07' : "Channel",
jens@11
   496
                   '\x08' : "Error-Code",
jens@11
   497
                   '\x09' : "Error-Domain"}
jens@12
   498
jens@11
   499
jens@11
   500
class OutgoingMessage (Message):
jens@12
   501
    "Abstract superclass of outgoing requests/responses."
jens@12
   502
    
jens@13
   503
    def __init__(self, connection, body=None, properties=None):
jens@13
   504
        Message.__init__(self,connection,body,properties)
morrowa@51
   505
        self.urgent = self.compressed = self.noReply = self._meta = self.isError = False
jens@13
   506
        self._moreComing = True
jens@12
   507
    
jens@12
   508
    def __setitem__(self, key,val):
jens@12
   509
        self.properties[key] = val
jens@12
   510
    def __delitem__(self, key):
jens@12
   511
        del self.properties[key]
jens@11
   512
    
jens@13
   513
    @property
jens@13
   514
    def sent(self):
jens@16
   515
        return hasattr(self,'encoded')
jens@13
   516
    
jens@13
   517
    def _encode(self):
jens@13
   518
        "Generates the message's encoded form, prior to sending it."
jens@11
   519
        out = StringIO()
jens@12
   520
        for (key,value) in self.properties.iteritems():
jens@13
   521
            def _writePropString(s):
jens@13
   522
                out.write(str(s))    #FIX: Abbreviate
jens@11
   523
                out.write('\000')
jens@12
   524
            _writePropString(key)
jens@12
   525
            _writePropString(value)
jens@13
   526
        propertiesSize = out.tell()
jens@13
   527
        assert propertiesSize<65536     #FIX: Return an error instead
jens@11
   528
        
morrowa@51
   529
        body = self.body or ""
jens@11
   530
        if self.compressed:
jens@13
   531
            z = zlib.compressobj(6,zlib.DEFLATED,31)   # window size of 31 needed for gzip format
jens@13
   532
            out.write(z.compress(body))
jens@13
   533
            body = z.flush()
jens@13
   534
        out.write(body)
jens@13
   535
        
jens@13
   536
        self.encoded = struct.pack('!H',propertiesSize) + out.getvalue()
jens@13
   537
        out.close()
jens@12
   538
        log.debug("Encoded %s into %u bytes", self,len(self.encoded))
jens@11
   539
        self.bytesSent = 0
jens@11
   540
    
jens@14
   541
    def _sendNextFrame(self, maxLen):
jens@11
   542
        pos = self.bytesSent
jens@11
   543
        payload = self.encoded[pos:pos+maxLen]
jens@11
   544
        pos += len(payload)
jens@13
   545
        self._moreComing = (pos < len(self.encoded))
jens@13
   546
        if not self._moreComing:
jens@13
   547
            self.encoded = None
jens@12
   548
        log.debug("Sending frame of %s; bytes %i--%i", self,pos-len(payload),pos)
jens@12
   549
        
jens@14
   550
        header = struct.pack(kFrameHeaderFormat, kFrameMagicNumber,
jens@12
   551
                                                   self.requestNo,
jens@12
   552
                                                   self.flags,
jens@14
   553
                                                   kFrameHeaderSize+len(payload))
jens@11
   554
        self.bytesSent = pos
jens@14
   555
        return header + payload
jens@11
   556
jens@11
   557
jens@12
   558
class Request (object):
jens@12
   559
    @property
jens@12
   560
    def response(self):
jens@12
   561
        "The response object for this request."
jens@13
   562
        if self.noReply:
jens@13
   563
            return None
jens@12
   564
        r = self.__dict__.get('_response')
jens@12
   565
        if r==None:
jens@12
   566
            r = self._response = self._createResponse()
jens@12
   567
        return r
jens@12
   568
jens@11
   569
jens@11
   570
class Response (Message):
jens@13
   571
    def _setRequest(self, request):
jens@12
   572
        assert not request.noReply
jens@12
   573
        self.request = request
jens@12
   574
        self.requestNo = request.requestNo
jens@12
   575
        self.urgent = request.urgent
jens@12
   576
    
jens@11
   577
    @property
jens@11
   578
    def isResponse(self):
jens@11
   579
        return True
jens@11
   580
jens@11
   581
jens@11
   582
class IncomingRequest (IncomingMessage, Request):
jens@12
   583
    def _createResponse(self):
jens@12
   584
        return OutgoingResponse(self)
jens@11
   585
jens@13
   586
jens@11
   587
class OutgoingRequest (OutgoingMessage, Request):
jens@12
   588
    def _createResponse(self):
jens@12
   589
        return IncomingResponse(self)
jens@13
   590
    
jens@13
   591
    def send(self):
jens@13
   592
        self._encode()
jens@13
   593
        return self.connection._sendRequest(self) and self.response
jens@13
   594
jens@11
   595
jens@11
   596
class IncomingResponse (IncomingMessage, Response):
jens@12
   597
    def __init__(self, request):
jens@13
   598
        IncomingMessage.__init__(self,request.connection,None,0)
jens@13
   599
        self._setRequest(request)
jens@12
   600
        self.onComplete = None
jens@12
   601
    
jens@12
   602
    def _finished(self):
jens@12
   603
        super(IncomingResponse,self)._finished()
jens@12
   604
        if self.onComplete:
jens@12
   605
            try:
jens@12
   606
                self.onComplete(self)
jens@12
   607
            except Exception, x:
jens@12
   608
                log.error("Exception dispatching response: %s", traceback.format_exc())
jens@13
   609
jens@13
   610
jens@11
   611
class OutgoingResponse (OutgoingMessage, Response):
jens@12
   612
    def __init__(self, request):
jens@12
   613
        OutgoingMessage.__init__(self,request.connection)
jens@13
   614
        self._setRequest(request)
jens@13
   615
    
jens@13
   616
    def send(self):
jens@13
   617
        self._encode()
jens@13
   618
        return self.connection._sendMessage(self)
jens@11
   619
jens@11
   620
jens@13
   621
"""
jens@13
   622
 Copyright (c) 2008, Jens Alfke <jens@mooseyard.com>. All rights reserved.
jens@13
   623
 
jens@13
   624
 Redistribution and use in source and binary forms, with or without modification, are permitted
jens@13
   625
 provided that the following conditions are met:
jens@13
   626
 
jens@13
   627
 * Redistributions of source code must retain the above copyright notice, this list of conditions
jens@13
   628
 and the following disclaimer.
jens@13
   629
 * Redistributions in binary form must reproduce the above copyright notice, this list of conditions
jens@13
   630
 and the following disclaimer in the documentation and/or other materials provided with the
jens@13
   631
 distribution.
jens@13
   632
 
jens@13
   633
 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR
jens@13
   634
 IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND 
jens@13
   635
 FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRI-
jens@13
   636
 BUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
jens@13
   637
 (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR 
jens@13
   638
  PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN 
jens@13
   639
 CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF 
jens@13
   640
 THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
jens@13
   641
"""