blob: 049a4b6cc775b1e33fa35afdee9a7c6945f0b1df [file] [log] [blame]
Guido van Rossume7e578f1995-08-04 04:00:20 +00001"""Generic socket server classes.
2
3This module tries to capture the various aspects of defining a server:
4
5- address family:
6 - AF_INET: IP (Internet Protocol) sockets (default)
7 - AF_UNIX: Unix domain sockets
8 - others, e.g. AF_DECNET are conceivable (see <socket.h>
9- socket type:
10 - SOCK_STREAM (reliable stream, e.g. TCP)
11 - SOCK_DGRAM (datagrams, e.g. UDP)
12- client address verification before further looking at the request
13 (This is actually a hook for any processing that needs to look
14 at the request before anything else, e.g. logging)
15- how to handle multiple requests:
16 - synchronous (one request is handled at a time)
17 - forking (each request is handled by a new process)
18 - threading (each request is handled by a new thread)
19
20The classes in this module favor the server type that is simplest to
21write: a synchronous TCP/IP server. This is bad class design, but
22save some typing. (There's also the issue that a deep class hierarchy
23slows down method lookups.)
24
25There are four classes in an inheritance diagram that represent
26synchronous servers of four types:
27
28 +-----------+ +------------------+
29 | TCPServer |------->| UnixStreamServer |
30 +-----------+ +------------------+
31 |
32 v
33 +-----------+ +--------------------+
34 | UDPServer |------->| UnixDatagramServer |
35 +-----------+ +--------------------+
36
Guido van Rossumdb2b70c1997-07-16 16:21:38 +000037Note that UnixDatagramServer derives from UDPServer, not from
Guido van Rossume7e578f1995-08-04 04:00:20 +000038UnixStreamServer -- the only difference between an IP and a Unix
39stream server is the address family, which is simply repeated in both
Guido van Rossumdb2b70c1997-07-16 16:21:38 +000040unix server classes.
Guido van Rossume7e578f1995-08-04 04:00:20 +000041
42Forking and threading versions of each type of server can be created
43using the ForkingServer and ThreadingServer mix-in classes. For
44instance, a threading UDP server class is created as follows:
45
46 class ThreadingUDPServer(ThreadingMixIn, UDPServer): pass
47
Guido van Rossumdb2b70c1997-07-16 16:21:38 +000048The Mix-in class must come first, since it overrides a method defined
49in UDPServer!
Guido van Rossume7e578f1995-08-04 04:00:20 +000050
51To implement a service, you must derive a class from
52BaseRequestHandler and redefine its handle() method. You can then run
53various versions of the service by combining one of the server classes
54with your request handler class.
55
56The request handler class must be different for datagram or stream
57services. This can be hidden by using the mix-in request handler
58classes StreamRequestHandler or DatagramRequestHandler.
59
60Of course, you still have to use your head!
61
62For instance, it makes no sense to use a forking server if the service
63contains state in memory that can be modified by requests (since the
64modifications in the child process would never reach the initial state
65kept in the parent process and passed to each child). In this case,
66you can use a threading server, but you will probably have to use
67locks to avoid two requests that come in nearly simultaneous to apply
68conflicting changes to the server state.
69
70On the other hand, if you are building e.g. an HTTP server, where all
71data is stored externally (e.g. in the file system), a synchronous
72class will essentially render the service "deaf" while one request is
73being handled -- which may be for a very long time if a client is slow
74to reqd all the data it has requested. Here a threading or forking
75server is appropriate.
76
77In some cases, it may be appropriate to process part of a request
78synchronously, but to finish processing in a forked child depending on
79the request data. This can be implemented by using a synchronous
80server and doing an explicit fork in the request handler class's
81handle() method.
82
83Another approach to handling multiple simultaneous requests in an
84environment that supports neither threads nor fork (or where these are
85too expensive or inappropriate for the service) is to maintain an
86explicit table of partially finished requests and to use select() to
87decide which request to work on next (or whether to handle a new
88incoming request). This is particularly important for stream services
89where each client can potentially be connected for a long time (if
90threads or subprocesses can't be used).
91
92Future work:
93- Standard classes for Sun RPC (which uses either UDP or TCP)
94- Standard mix-in classes to implement various authentication
95 and encryption schemes
96- Standard framework for select-based multiplexing
97
98XXX Open problems:
99- What to do with out-of-band data?
100
101"""
102
103
104__version__ = "0.2"
105
106
107import socket
108import sys
109import os
110
111
112class TCPServer:
113
114 """Base class for various socket-based server classes.
115
116 Defaults to synchronous IP stream (i.e., TCP).
117
118 Methods for the caller:
119
120 - __init__(server_address, RequestHandlerClass)
121 - serve_forever()
122 - handle_request() # if you don't use serve_forever()
123 - fileno() -> int # for select()
124
125 Methods that may be overridden:
126
127 - server_bind()
128 - server_activate()
129 - get_request() -> request, client_address
130 - verify_request(request, client_address)
131 - process_request(request, client_address)
132 - handle_error()
133
134 Methods for derived classes:
135
136 - finish_request(request, client_address)
137
138 Class variables that may be overridden by derived classes or
139 instances:
140
141 - address_family
142 - socket_type
143 - request_queue_size (only for stream sockets)
144
145 Instance variables:
146
147 - server_address
148 - RequestHandlerClass
149 - socket
150
151 """
152
153 address_family = socket.AF_INET
154
155 socket_type = socket.SOCK_STREAM
156
157 request_queue_size = 5
158
159 def __init__(self, server_address, RequestHandlerClass):
160 """Constructor. May be extended, do not override."""
161 self.server_address = server_address
162 self.RequestHandlerClass = RequestHandlerClass
163 self.socket = socket.socket(self.address_family,
164 self.socket_type)
165 self.server_bind()
166 self.server_activate()
167
168 def server_bind(self):
169 """Called by constructor to bind the socket.
170
171 May be overridden.
172
173 """
174 self.socket.bind(self.server_address)
175
176 def server_activate(self):
177 """Called by constructor to activate the server.
178
179 May be overridden.
180
181 """
182 self.socket.listen(self.request_queue_size)
183
184 def fileno(self):
185 """Return socket file number.
186
187 Interface required by select().
188
189 """
190 return self.socket.fileno()
191
192 def serve_forever(self):
193 """Handle one request at a time until doomsday."""
194 while 1:
195 self.handle_request()
196
197 # The distinction between handling, getting, processing and
198 # finishing a request is fairly arbitrary. Remember:
199 #
200 # - handle_request() is the top-level call. It calls
201 # get_request(), verify_request() and process_request()
202 # - get_request() is different for stream or datagram sockets
203 # - process_request() is the place that may fork a new process
204 # or create a new thread to finish the request
205 # - finish_request() instantiates the request handler class;
206 # this constructor will handle the request all by itself
207
208 def handle_request(self):
209 """Handle one request, possibly blocking."""
210 request, client_address = self.get_request()
211 if self.verify_request(request, client_address):
212 try:
213 self.process_request(request, client_address)
214 except:
215 self.handle_error(request, client_address)
216
217 def get_request(self):
218 """Get the request and client address from the socket.
219
220 May be overridden.
221
222 """
223 return self.socket.accept()
224
225 def verify_request(self, request, client_address):
226 """Verify the request. May be overridden.
227
228 Return true if we should proceed with this request.
229
230 """
231 return 1
232
233 def process_request(self, request, client_address):
234 """Call finish_request.
235
236 Overridden by ForkingMixIn and ThreadingMixIn.
237
238 """
239 self.finish_request(request, client_address)
240
241 def finish_request(self, request, client_address):
242 """Finish one request by instantiating RequestHandlerClass."""
243 self.RequestHandlerClass(request, client_address, self)
244
245 def handle_error(self, request, client_address):
246 """Handle an error gracefully. May be overridden.
247
248 The default is to print a traceback and continue.
249
250 """
Guido van Rossume7e578f1995-08-04 04:00:20 +0000251 print '-'*40
252 print 'Exception happened during processing of request from',
253 print client_address
254 import traceback
Guido van Rossumc90ad211997-09-29 23:17:48 +0000255 traceback.print_exc()
Guido van Rossume7e578f1995-08-04 04:00:20 +0000256 print '-'*40
257
258
259class UDPServer(TCPServer):
260
261 """UDP server class."""
262
263 socket_type = socket.SOCK_DGRAM
264
265 max_packet_size = 8192
266
267 def get_request(self):
Guido van Rossumdb2b70c1997-07-16 16:21:38 +0000268 return self.socket.recvfrom(self.max_packet_size)
Guido van Rossume7e578f1995-08-04 04:00:20 +0000269
270
271if hasattr(socket, 'AF_UNIX'):
272
273 class UnixStreamServer(TCPServer):
274
275 address_family = socket.AF_UNIX
276
277
278 class UnixDatagramServer(UDPServer):
279
280 address_family = socket.AF_UNIX
281
282
283class ForkingMixIn:
284
285 """Mix-in class to handle each request in a new process."""
286
287 active_children = None
288
289 def collect_children(self):
290 """Internal routine to wait for died children."""
291 while self.active_children:
Guido van Rossum5bb05da1996-01-25 18:13:30 +0000292 pid, status = os.waitpid(0, os.WNOHANG)
Guido van Rossume7e578f1995-08-04 04:00:20 +0000293 if not pid: break
294 self.active_children.remove(pid)
295
296 def process_request(self, request, client_address):
297 """Fork a new subprocess to process the request."""
298 self.collect_children()
299 pid = os.fork()
300 if pid:
301 # Parent process
302 if self.active_children is None:
303 self.active_children = []
304 self.active_children.append(pid)
305 return
306 else:
307 # Child process.
308 # This must never return, hence os._exit()!
309 try:
310 self.finish_request(request, client_address)
311 os._exit(0)
312 except:
313 try:
314 self.handle_error(request,
315 client_address)
316 finally:
317 os._exit(1)
318
319
320class ThreadingMixIn:
321
322 """Mix-in class to handle each request in a new thread."""
323
324 def process_request(self, request, client_address):
325 """Start a new thread to process the request."""
326 import thread
327 thread.start_new_thread(self.finish_request,
328 (request, client_address))
329
330
331class ForkingUDPServer(ForkingMixIn, UDPServer): pass
332class ForkingTCPServer(ForkingMixIn, TCPServer): pass
333
334class ThreadingUDPServer(ThreadingMixIn, UDPServer): pass
335class ThreadingTCPServer(ThreadingMixIn, TCPServer): pass
336
337
338class BaseRequestHandler:
339
340 """Base class for request handler classes.
341
342 This class is instantiated for each request to be handled. The
343 constructor sets the instance variables request, client_address
344 and server, and then calls the handle() method. To implement a
345 specific service, all you need to do is to derive a class which
346 defines a handle() method.
347
348 The handle() method can find the request as self.request, the
349 client address as self.client_request, and the server (in case it
350 needs access to per-server information) as self.server. Since a
351 separate instance is created for each request, the handle() method
352 can define arbitrary other instance variariables.
353
354 """
355
356 def __init__(self, request, client_address, server):
357 self.request = request
358 self.client_address = client_address
359 self.server = server
360 try:
361 self.setup()
362 self.handle()
363 self.finish()
364 finally:
365 sys.exc_traceback = None # Help garbage collection
366
367 def setup(self):
368 pass
369
370 def __del__(self):
371 pass
372
373 def handle(self):
374 pass
375
376 def finish(self):
377 pass
378
379
380# The following two classes make it possible to use the same service
381# class for stream or datagram servers.
382# Each class sets up these instance variables:
383# - rfile: a file object from which receives the request is read
384# - wfile: a file object to which the reply is written
385# When the handle() method returns, wfile is flushed properly
386
387
388class StreamRequestHandler(BaseRequestHandler):
389
390 """Define self.rfile and self.wfile for stream sockets."""
391
392 def setup(self):
393 self.connection = self.request
Guido van Rossumd804bab1996-10-23 14:30:23 +0000394 self.rfile = self.connection.makefile('rb', 0)
Jack Jansen2bb57b81996-02-14 16:06:24 +0000395 self.wfile = self.connection.makefile('wb', 0)
Guido van Rossume7e578f1995-08-04 04:00:20 +0000396
397 def finish(self):
398 self.wfile.flush()
399
400
401class DatagramRequestHandler(BaseRequestHandler):
402
403 """Define self.rfile and self.wfile for datagram sockets."""
404
405 def setup(self):
406 import StringIO
407 self.packet, self.socket = self.request
408 self.rfile = StringIO.StringIO(self.packet)
409 self.wfile = StringIO.StringIO(self.packet)
410
411 def finish(self):
412 self.socket.send(self.wfile.getvalue())