2010. 3. 5. 17:16 Programming/Python
Network programming with the Twisted framework, Part 1
Summary: Twisted is an increasingly popular pure-Python framework for programming network services and applications. While there are a large number of loosely coupled modular components within Twisted, a central concept to the framework is the idea of non-blocking asynchronous servers. In this article, David introduces you to this style of programming -- a novel one for developers accustomed to threading or forking servers, but one capable of great efficiency under heavy loads.
Sorting through the Twisted framework is reminiscent of the old story about blind men and elephants. Twisted has many capabilities, and it takes a bit of a paradigm switch to get a good sense of why they are all there. In fact, as I write this first installment, I am probably only halfway toward getting my mind fully around Twisted. We can work through it together.
One of the strengths of recent versions of Python is that they come with "batteries included" -- that is, the standard distribution includes modules to do just about everything you want to accomplish in most programming tasks. For the most part, when you want a third-party Python module or package, it is to accomplish some specialized and unusual task. Twisted is one of few exceptions to the pattern described; developed by Twisted Matrix Laboratories, it is a well-designed and general-purpose collection of modules for performing all manner of network programming tasks, in ways not easily facilitated by Python's standard library.
It is not quite true that Python's standard library lacks
support for asynchronous, non-blocking network applications.
The module asyncore
provides basic
support for switching
among I/O channels within a single thread. But Twisted
takes the style to a higher level and provides a huge
collection of pre-built and reusable protocols, interfaces, and
components.
The documentation that accompanies Twisted is quite
extensive, but hard to get a handle on. Let's start with a
simple server, and build on that. In a recent
developerWorks tip (see Resources for a link),
I demonstrated an XML-based "Weblog server"
that presents to a client a stream of records about the latest
hits to a Web server. The XML aspect is not important here,
but the use of SocketServer
and its
ThreadingTCPServer
class
is useful as a baseline. This pre-Twisted server consists of:
Listing 1. SocketServer-weblog.py
from SocketServer import BaseRequestHandler, ThreadingTCPServer |
Other than that overhead of its per-client thread creation, a
notable feature of the SocketServer
-based server is its use of
a blocking call to time.sleep()
within its
handler. For Twisted's non-blocking select()
loop,
such a block is not permissible.
A first non-blocking approach pushes any artificial delays onto the client, and lets the client specifically request each new batch of Weblog records (and also sends a message to indicate their absence, rather than send nothing). This Twisted server looks like:
Listing 2. twisted-weblog-1.py
from twisted.internet import reactor |
Readers should refer to my prior tip for details on the client application. But the following change should be noted. The main client loop adds two lines:
Listing 3. Enhanced (blocking) client loop
while 1: |
A Twisted server consists of several modular elements.
At a bytestream level, a server implements a protocol, often by
inheriting from twisted.internet.protocol.Protocol
or from
some previously specialized child of it. For example, provided
subclasses (in twisted.protocols
) include
dns
, ftp
,
gnutella
, http
,
nntp
, shoutcast
,
and many others.
Basically, a protocol should know how to handle making and
losing connections, and receiving and sending data within a
connection. These responsibilities are not much different than
in a SocketServer
-based server,
except in being slightly
more modular in defining methods for each element.
The next level of a Twisted server is a factory. In our
twisted-weblog-1.py
example, the factory
really does nothing
besides store a protocol. In a more sophisticated server,
however, a factory is a good place to perform initialization
and finalization related to a protocol server. And probably of
greatest interest, a factory can be persisted within
applications (we will see those soon).
Neither a protocol nor a factory knows anything about the
network the server runs on. Instead, a reactor is a class
that actually listens on a network (utilizing a factory
instance for its protocol). Basically, a reactor is just a
loop that listens on a given port and network interface (which
one is chosen by calling a method like .listenTCP()
,
.listenSSL()
, or .listenUDP()
). The thing to understand is
that the basic reactor in Twisted, SelectReactor
, runs
in a single thread; each connection is checked for new data,
and the data is delivered to the relevant protocol object. An
upshot is that a protocol object is really not allowed to
block, or even just take too long to complete (protocols must
be programmed appropriately).
Let's try to enhance the Twisted Weblog server so that it
follows the pattern of SocketServer-weblog.py
in feeding new
records to clients without the need for repeated requests from
those clients. The problem here is inserting a time.sleep()
call into a method of WebLog(Protocol)
causes it to block,
and so is not allowed. While we are at it, notice that the
prior servers probably do the wrong thing in that they feed
each new batch of records only to one client. Presumably, if
you want to allow multiple clients to monitor a Weblog, you
want them all to receive ongoing updates.
The way you delay actions in Twisted without blocking is
to add callbacks to a reactor, using the .callLater()
method.
A callback added this way is added to the queue of events to
service, but it will not actually be processed until after a
specified delay. Putting both changes together, an enhanced
Weblog server looks like:
Listing 4. twisted-weblog-1.py
from twisted.internet import reactor |
In this case, we define a custom factory and move some of the
initialization from the _main_
block to the
factory. Notice
also that the clients for this server need not (and should not)
sleep or send new requests -- in fact, I use the exact client
application I discussed in the XML tip (see Resources).
The factory and the protocol use the same technique in their
custom methods .updatedRecords()
and .newHits()
,
respectively. That is, if a method wants to run periodically, its
last line can schedule it to run again at a specified delay. On
its face, this pattern looks a lot like recursion -- but it is not
(moreover, the repeat scheduling need not occur on the
last line; it just makes sense there). The method .newHits()
,
for example, simply lets the controlling reactor loop know that
it wants to be called in another 5 seconds, but the method itself
terminates. There is no requirement that a method schedule only
itself -- it can schedule whatever it wants to occur, and
functions quite apart from factory or protocol methods can be
added to a reactor loop, if you wish.
Besides reactor.callLater()
scheduling,
Twisted contains a general class twisted.internet.defer.Deferred
. In
essence, deferreds are a generalization of scheduled callbacks,
but allow techniques such as chaining dependent callbacks and
handling error conditions in these chains. The idea behind a
Deferred
object is that when you call a
method, rather than
wait for its results (which may take a while to arrive), the
method can immediately return a Deferred
object that the
reactor/scheduler can call again later, when results are expected
to be available.
I have not really played with Deferred
objects yet, but it
feels like getting them right will be slightly tricky. If you
need to wait on a blocking action -- say, the results from a
remote database query -- it is not clear exactly how long you
will need to wait for results to be available. Deferred
objects do have a timeout mechanism, but I will have to come
back to that in a later installment. Interested readers should
at least know that the Twisted Matrix developers have attempted
to provide a standard API for wrapping blocking actions. Of
course, the worst case is to fall back to using threads for
blocking actions that really cannot be converted into
asynchronous callbacks.
Another important element to Twisted servers is their easy
support for persistence. A reactor is a loop that monitors and
responds to I/O events. An application is much like an enhanced
reactor that is able to pickle its state for later re-starting.
Moreover, applications can be statefully saved into ".tap" files,
and can be managed and daemonized using the tool twistd
.
Here's a simple example that illustrates the usage (modelled on
the Twisted documentation's OneTimeKey
example). This server
delivers distinct Fibonacci numbers to all interested clients,
without repeating numbers between them -- even if the server is
stopped and started:
Listing 5. fib_server.py
from twisted.internet.app import Application |
You can see that mostly all we have changed is replacing
reactor
with application
throughout. While the class
Application
also has a .run()
method, we use its .save()
method to create a Fibonacci.tap
file.
Running this server is
done as:
Listing 6. Running fib_server.py
% python fib_server.py |
The client that connects to this server should use a
time.sleep()
in its loop if it only wants a
new number
intermittently rather than as fast as possible. Obviously, a more
useful server can provide a more interesting stateful datastream.
[1] http://www.ibm.com/developerworks/linux/library/l-twist1.html
'Programming > Python' 카테고리의 다른 글
BeautifullSoup을 사용한 html 파서 (0) | 2009.10.17 |
---|