tzh
2024-08-22 c7d0944258c7d0943aa7b2211498fd612971ce27
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
K\¬Qc @sOdZdZddlZddlZddlZddlZddlZyddlZWnek
rwddl    ZnXdddddd    d
d d d dg Z
e edƒrÊe
j ddddgƒnd„Z dd&d„ƒYZdefd„ƒYZdefd„ƒYZdd'd„ƒYZd d(d„ƒYZdeefd„ƒYZdeefd„ƒYZdeefd„ƒYZd    eefd„ƒYZe edƒr defd„ƒYZdefd „ƒYZdeefd!„ƒYZdeefd"„ƒYZnd
d)d#„ƒYZd efd$„ƒYZd efd%„ƒYZdS(*s¡Generic socket server classes.
 
This module tries to capture the various aspects of defining a server:
 
For socket-based servers:
 
- address family:
        - AF_INET{,6}: IP (Internet Protocol) sockets (default)
        - AF_UNIX: Unix domain sockets
        - others, e.g. AF_DECNET are conceivable (see <socket.h>
- socket type:
        - SOCK_STREAM (reliable stream, e.g. TCP)
        - SOCK_DGRAM (datagrams, e.g. UDP)
 
For request-based servers (including socket-based):
 
- client address verification before further looking at the request
        (This is actually a hook for any processing that needs to look
         at the request before anything else, e.g. logging)
- how to handle multiple requests:
        - synchronous (one request is handled at a time)
        - forking (each request is handled by a new process)
        - threading (each request is handled by a new thread)
 
The classes in this module favor the server type that is simplest to
write: a synchronous TCP/IP server.  This is bad class design, but
save some typing.  (There's also the issue that a deep class hierarchy
slows down method lookups.)
 
There are five classes in an inheritance diagram, four of which represent
synchronous servers of four types:
 
        +------------+
        | BaseServer |
        +------------+
              |
              v
        +-----------+        +------------------+
        | TCPServer |------->| UnixStreamServer |
        +-----------+        +------------------+
              |
              v
        +-----------+        +--------------------+
        | UDPServer |------->| UnixDatagramServer |
        +-----------+        +--------------------+
 
Note that UnixDatagramServer derives from UDPServer, not from
UnixStreamServer -- the only difference between an IP and a Unix
stream server is the address family, which is simply repeated in both
unix server classes.
 
Forking and threading versions of each type of server can be created
using the ForkingMixIn and ThreadingMixIn mix-in classes.  For
instance, a threading UDP server class is created as follows:
 
        class ThreadingUDPServer(ThreadingMixIn, UDPServer): pass
 
The Mix-in class must come first, since it overrides a method defined
in UDPServer! Setting the various member variables also changes
the behavior of the underlying server mechanism.
 
To implement a service, you must derive a class from
BaseRequestHandler and redefine its handle() method.  You can then run
various versions of the service by combining one of the server classes
with your request handler class.
 
The request handler class must be different for datagram or stream
services.  This can be hidden by using the request handler
subclasses StreamRequestHandler or DatagramRequestHandler.
 
Of course, you still have to use your head!
 
For instance, it makes no sense to use a forking server if the service
contains state in memory that can be modified by requests (since the
modifications in the child process would never reach the initial state
kept in the parent process and passed to each child).  In this case,
you can use a threading server, but you will probably have to use
locks to avoid two requests that come in nearly simultaneous to apply
conflicting changes to the server state.
 
On the other hand, if you are building e.g. an HTTP server, where all
data is stored externally (e.g. in the file system), a synchronous
class will essentially render the service "deaf" while one request is
being handled -- which may be for a very long time if a client is slow
to read all the data it has requested.  Here a threading or forking
server is appropriate.
 
In some cases, it may be appropriate to process part of a request
synchronously, but to finish processing in a forked child depending on
the request data.  This can be implemented by using a synchronous
server and doing an explicit fork in the request handler class
handle() method.
 
Another approach to handling multiple simultaneous requests in an
environment that supports neither threads nor fork (or where these are
too expensive or inappropriate for the service) is to maintain an
explicit table of partially finished requests and to use select() to
decide which request to work on next (or whether to handle a new
incoming request).  This is particularly important for stream services
where each client can potentially be connected for a long time (if
threads or subprocesses cannot be used).
 
Future work:
- Standard classes for Sun RPC (which uses either UDP or TCP)
- Standard mix-in classes to implement various authentication
  and encryption schemes
- Standard framework for select-based multiplexing
 
XXX Open problems:
- What to do with out-of-band data?
 
BaseServer:
- split generic "request" functionality out into BaseServer class.
  Copyright (C) 2000  Luke Kenneth Casson Leighton <lkcl@samba.org>
 
  example: read entries from a SQL database (requires overriding
  get_request() to return a table entry from the database).
  entry is processed by a RequestHandlerClass.
 
s0.4iÿÿÿÿNt    TCPServert    UDPServertForkingUDPServertForkingTCPServertThreadingUDPServertThreadingTCPServertBaseRequestHandlertStreamRequestHandlertDatagramRequestHandlertThreadingMixInt ForkingMixIntAF_UNIXtUnixStreamServertUnixDatagramServertThreadingUnixStreamServertThreadingUnixDatagramServercGsZxStrUy||ŒSWqttjfk
rQ}|jdtjkrR‚qRqXqWdS(s*restart a system call interrupted by EINTRiN(tTruetOSErrortselectterrortargsterrnotEINTR(tfuncRte((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyt _eintr_retry—s     t
BaseServercBs•eZdZdZd„Zd„Zdd„Zd„Zd„Z    d„Z
d„Z d    „Z d
„Z d „Zd „Zd „Zd„Zd„ZRS(s Base class for server classes.
 
    Methods for the caller:
 
    - __init__(server_address, RequestHandlerClass)
    - serve_forever(poll_interval=0.5)
    - shutdown()
    - handle_request()  # if you do not use serve_forever()
    - fileno() -> int   # for select()
 
    Methods that may be overridden:
 
    - server_bind()
    - server_activate()
    - get_request() -> request, client_address
    - handle_timeout()
    - verify_request(request, client_address)
    - server_close()
    - process_request(request, client_address)
    - shutdown_request(request)
    - close_request(request)
    - handle_error()
 
    Methods for derived classes:
 
    - finish_request(request, client_address)
 
    Class variables that may be overridden by derived classes or
    instances:
 
    - timeout
    - address_family
    - socket_type
    - allow_reuse_address
 
    Instance variables:
 
    - RequestHandlerClass
    - socket
 
    cCs.||_||_tjƒ|_t|_dS(s/Constructor.  May be extended, do not override.N(tserver_addresstRequestHandlerClasst    threadingtEventt_BaseServer__is_shut_downtFalset_BaseServer__shutdown_request(tselfRR((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyt__init__Îs        cCsdS(sSCalled by constructor to activate the server.
 
        May be overridden.
 
        N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pytserver_activateÕsgà?cCs|jjƒzTxM|js_ttj|ggg|ƒ\}}}||kr|jƒqqWWdt|_|jjƒXdS(sÑHandle one request at a time until shutdown.
 
        Polls for shutdown every poll_interval seconds. Ignores
        self.timeout. If you need to do periodic tasks, do them in
        another thread.
        N(RtclearR!RRt_handle_request_noblockR tset(R"t poll_intervaltrtwR((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyt serve_foreverÝs       cCst|_|jjƒdS(sÀStops the serve_forever loop.
 
        Blocks until the loop has finished. This must be called while
        serve_forever() is running in another thread, or it will
        deadlock.
        N(RR!Rtwait(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pytshutdownós    cCs|jjƒ}|dkr'|j}n$|jdk    rKt||jƒ}nttj|ggg|ƒ}|ds|jƒdS|jƒdS(sOHandle one request, possibly blocking.
 
        Respects self.timeout.
        iN(    tsockett
gettimeouttNonettimeouttminRRthandle_timeoutR&(R"R1tfd_sets((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pythandle_requests  
 
cCs‚y|jƒ\}}Wntjk
r-dSX|j||ƒr~y|j||ƒWq~|j||ƒ|j|ƒq~XndS(sæHandle one request, without blocking.
 
        I assume that select.select has returned that the socket is
        readable before this function was called, so there should be
        no risk of blocking in get_request().
        N(t get_requestR.Rtverify_requesttprocess_requestt handle_errortshutdown_request(R"trequesttclient_address((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR&scCsdS(scCalled if no new request arrives within self.timeout.
 
        Overridden by ForkingMixIn.
        N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR3,scCstS(snVerify the request.  May be overridden.
 
        Return True if we should proceed with this request.
 
        (R(R"R;R<((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR73scCs!|j||ƒ|j|ƒdS(sVCall finish_request.
 
        Overridden by ForkingMixIn and ThreadingMixIn.
 
        N(tfinish_requestR:(R"R;R<((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR8;scCsdS(sDCalled to clean-up the server.
 
        May be overridden.
 
        N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyt server_closeDscCs|j|||ƒdS(s8Finish one request by instantiating RequestHandlerClass.N(R(R"R;R<((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR=LscCs|j|ƒdS(s3Called to shutdown and close an individual request.N(t close_request(R"R;((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR:PscCsdS(s)Called to clean up an individual request.N((R"R;((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR?TscCs5ddGHdG|GHddl}|jƒddGHdS(stHandle an error gracefully.  May be overridden.
 
        The default is to print a traceback and continue.
 
        t-i(s4Exception happened during processing of request fromiÿÿÿÿN(t    tracebackt    print_exc(R"R;R<RA((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR9Xs      
N(t__name__t
__module__t__doc__R0R1R#R$R+R-R5R&R3R7R8R>R=R:R?R9(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR s *                                                     cBsweZdZejZejZdZe    Z
e d„Z d„Z d„Zd„Zd„Zd„Zd„Zd    „ZRS(
s3Base class for various socket-based server classes.
 
    Defaults to synchronous IP stream (i.e., TCP).
 
    Methods for the caller:
 
    - __init__(server_address, RequestHandlerClass, bind_and_activate=True)
    - serve_forever(poll_interval=0.5)
    - shutdown()
    - handle_request()  # if you don't use serve_forever()
    - fileno() -> int   # for select()
 
    Methods that may be overridden:
 
    - server_bind()
    - server_activate()
    - get_request() -> request, client_address
    - handle_timeout()
    - verify_request(request, client_address)
    - process_request(request, client_address)
    - shutdown_request(request)
    - close_request(request)
    - handle_error()
 
    Methods for derived classes:
 
    - finish_request(request, client_address)
 
    Class variables that may be overridden by derived classes or
    instances:
 
    - timeout
    - address_family
    - socket_type
    - request_queue_size (only for stream sockets)
    - allow_reuse_address
 
    Instance variables:
 
    - server_address
    - RequestHandlerClass
    - socket
 
    icCsOtj|||ƒtj|j|jƒ|_|rK|jƒ|jƒndS(s/Constructor.  May be extended, do not override.N(RR#R.taddress_familyt socket_typet server_bindR$(R"RRtbind_and_activate((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR#s  
cCsQ|jr(|jjtjtjdƒn|jj|jƒ|jjƒ|_dS(sOCalled by constructor to bind the socket.
 
        May be overridden.
 
        iN(tallow_reuse_addressR.t
setsockoptt
SOL_SOCKETt SO_REUSEADDRtbindRt getsockname(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRH¦s    cCs|jj|jƒdS(sSCalled by constructor to activate the server.
 
        May be overridden.
 
        N(R.tlistentrequest_queue_size(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR$±scCs|jjƒdS(sDCalled to clean-up the server.
 
        May be overridden.
 
        N(R.tclose(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR>¹scCs |jjƒS(sMReturn socket file number.
 
        Interface required by select().
 
        (R.tfileno(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRSÁscCs |jjƒS(sYGet the request and client address from the socket.
 
        May be overridden.
 
        (R.taccept(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR6ÉscCs<y|jtjƒWntjk
r*nX|j|ƒdS(s3Called to shutdown and close an individual request.N(R-R.tSHUT_WRRR?(R"R;((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR:Ñs
cCs|jƒdS(s)Called to clean up an individual request.N(RR(R"R;((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR?Ûs(RCRDRER.tAF_INETRFt SOCK_STREAMRGRQR RJRR#RHR$R>RSR6R:R?(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRfs-                                    
cBsGeZdZeZejZdZd„Z    d„Z
d„Z d„Z RS(sUDP server class.i cCs.|jj|jƒ\}}||jf|fS(N(R.trecvfromtmax_packet_size(R"tdatat client_addr((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR6êscCsdS(N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR$îscCs|j|ƒdS(N(R?(R"R;((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR:òscCsdS(N((R"R;((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR?ös( RCRDRER RJR.t
SOCK_DGRAMRGRYR6R$R:R?(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRàs                cBs;eZdZdZdZdZd„Zd„Zd„Z    RS(s5Mix-in class to handle each request in a new process.i,i(cCs9|jdkrdSxzt|jƒ|jkrytjddƒ\}}Wntjk
rfd}nX||jkr|qn|jj|ƒqWx¢|jD]—}ytj|tjƒ\}}Wntjk
rÛd}nX|sèqšny|jj|ƒWqšt    k
r0}t    d|j
||jfƒ‚qšXqšWdS(s7Internal routine to wait for children that have exited.Nis%s. x=%d and list=%r( tactive_childrenR0tlent max_childrentostwaitpidRtremovetWNOHANGt
ValueErrortmessage(R"tpidtstatustchildR((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pytcollect_childrens,
 
cCs|jƒdS(snWait for zombies after self.timeout seconds of inactivity.
 
        May be extended, do not override.
        N(Ri(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR3"scCsÆ|jƒtjƒ}|rX|jdkr7g|_n|jj|ƒ|j|ƒdSy.|j||ƒ|j|ƒtj    dƒWn9z!|j
||ƒ|j|ƒWdtj    dƒXnXdS(s-Fork a new subprocess to process the request.Nii( RiR`tforkR]R0tappendR?R=R:t_exitR9(R"R;R<Rf((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR8)s"
    N(
RCRDRER1R0R]R_RiR3R8(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR
ús         cBs&eZdZeZd„Zd„ZRS(s4Mix-in class to handle each request in a new thread.cCsLy!|j||ƒ|j|ƒWn$|j||ƒ|j|ƒnXdS(sgSame as in BaseServer but as a thread.
 
        In addition, exception handling is done here.
 
        N(R=R:R9(R"R;R<((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pytprocess_request_threadJs cCs;tjd|jd||fƒ}|j|_|jƒdS(s*Start a new thread to process the request.ttargetRN(RtThreadRmtdaemon_threadstdaemontstart(R"R;R<tt((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR8Ws (RCRDRER RpRmR8(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR    Cs     cBseZRS((RCRD(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR_scBseZRS((RCRD(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR`scBseZRS((RCRD(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRbscBseZRS((RCRD(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRcscBseZejZRS((RCRDR.R RF(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR gscBseZejZRS((RCRDR.R RF(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR jscBseZRS((RCRD(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRmscBseZRS((RCRD(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRoscBs2eZdZd„Zd„Zd„Zd„ZRS(s¨Base class for request handler classes.
 
    This class is instantiated for each request to be handled.  The
    constructor sets the instance variables request, client_address
    and server, and then calls the handle() method.  To implement a
    specific service, all you need to do is to derive a class which
    defines a handle() method.
 
    The handle() method can find the request as self.request, the
    client address as self.client_address, and the server (in case it
    needs access to per-server information) as self.server.  Since a
    separate instance is created for each request, the handle() method
    can define arbitrary other instance variariables.
 
    cCsE||_||_||_|jƒz|jƒWd|jƒXdS(N(R;R<tservertsetupthandletfinish(R"R;R<Rt((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyR#ƒs            
cCsdS(N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRuscCsdS(N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRvscCsdS(N((R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRw“s(RCRDRER#RuRvRw(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRqs
    
       cBs8eZdZdZdZdZeZd„Z    d„Z
RS(s4Define self.rfile and self.wfile for stream sockets.iÿÿÿÿicCs“|j|_|jdk    r1|jj|jƒn|jrY|jjtjtj    t
ƒn|jj d|j ƒ|_ |jj d|jƒ|_dS(Ntrbtwb(R;t
connectionR1R0t
settimeouttdisable_nagle_algorithmRKR.t IPPROTO_TCPt TCP_NODELAYRtmakefiletrbufsizetrfiletwbufsizetwfile(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRu´s     cCsU|jjs7y|jjƒWq7tjk
r3q7Xn|jjƒ|jjƒdS(N(RƒtclosedtflushR.RRRR(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRw¾s  N( RCRDRER€R‚R0R1R R|RuRw(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRŸs        
cBs eZdZd„Zd„ZRS(s6Define self.rfile and self.wfile for datagram sockets.cCsoyddlm}Wn!tk
r7ddlm}nX|j\|_|_||jƒ|_|ƒ|_dS(Niÿÿÿÿ(tStringIO(t    cStringIOR†t ImportErrorR;tpacketR.RRƒ(R"R†((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRuÑs cCs#|jj|jjƒ|jƒdS(N(R.tsendtoRƒtgetvalueR<(R"((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRwÚs(RCRDRERuRw(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyRÊs        (((((REt __version__R.RtsysR`RRRˆtdummy_threadingt__all__thasattrtextendRRRRR
R    RRRRR R RRRRR(((sT/tmp/ndk-User/buildhost/install/prebuilt/darwin-x86_64/lib/python2.7/SocketServer.pyt<module>xsH                          ÆzI.+