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
|
Saving and Loading a Tor Consensus
==================================
.. image:: /_static/buttons/back.png
:target: ../double_double_toil_and_trouble.html
Reading and writing a Tor consensus to disk is similar to `other descriptor
types <../mirror_mirror_on_the_wall.html#saving-and-loading-descriptors>`_
with one small difference.
Most descriptors are just about a single relay. Server descriptors and
microdescriptors, for instance, can be concatenated together and dumped to a
file because they're each independent of each other.
The Tor consensus, however, is a larger document containing information about
the Tor network in addition to a little data on each of the relays.
In Stem the overall document is a
:class:`~stem.descriptor.networkstatus.NetworkStatusDocumentV3`, and the
information on individual relays are
:class:`~stem.descriptor.router_status_entry.RouterStatusEntryV3` instances.
Why does this matter? By default when you read a consensus Stem provides you
**just** the :class:`~stem.descriptor.router_status_entry.RouterStatusEntryV3`.
This is for performance reasons, and because usually that's what developers
want. But for writing the conssensus to disk we'll want the whole document
instead.
So how do we get it? Just tell Stem that's what you want. The
:class:`~stem.descriptor.__init__.DocumentHandler` tells Stem how to read the
consensus. For example, to write the consensus simply do the following...
::
from stem.descriptor import DocumentHandler
from stem.descriptor.remote import DescriptorDownloader
downloader = DescriptorDownloader()
consensus = downloader.get_consensus(document_handler = DocumentHandler.DOCUMENT).run()[0]
with open('/tmp/descriptor_dump', 'w') as descriptor_file:
descriptor_file.write(str(consensus))
Our *consensus* here is the current
:class:`~stem.descriptor.networkstatus.NetworkStatusDocumentV3`. The
**descriptor_dump** file now looks like...
::
network-status-version 3
vote-status consensus
consensus-method 18
valid-after 2014-11-17 23:00:00
fresh-until 2014-11-18 00:00:00
valid-until 2014-11-18 02:00:00
voting-delay 300 300
... etc...
You can then read it back with :func:`~stem.descriptor.__init__.parse_file`...
::
from stem.descriptor import DocumentHandler, parse_file
consensus = next(parse_file(
'/tmp/descriptor_dump',
descriptor_type = 'network-status-consensus-3 1.0',
document_handler = DocumentHandler.DOCUMENT,
))
for fingerprint, relay in consensus.routers.items():
print "%s: %s" % (fingerprint, relay.nickname)
|