commit bbaa4c85bd5d3fabf43bc1e899e234aefa111235
Author: Damian Johnson <atagar(a)torproject.org>
Date: Sat May 31 12:17:27 2014 -0700
Added missing versionadded tags
We were missing a handful of versionadded tags for things being added in 1.2.0.
---
stem/connection.py | 2 ++
stem/control.py | 4 ++++
stem/util/test_tools.py | 2 ++
stem/util/tor_tools.py | 2 ++
4 files changed, 10 insertions(+)
diff --git a/stem/connection.py b/stem/connection.…
[View More]py
index d807bcf..4bfcd5c 100644
--- a/stem/connection.py
+++ b/stem/connection.py
@@ -214,6 +214,8 @@ def connect(control_port = ('127.0.0.1', 9051), control_socket = '/var/run/tor/c
details of how this works. Messages and details of this function's behavior
could change in the future.
+ .. versionadded:: 1.2.0
+
:param tuple contol_port: address and port tuple, for instance **('127.0.0.1', 9051)**
:param str path: path where the control socket is located
:param str password: passphrase to authenticate to the socket
diff --git a/stem/control.py b/stem/control.py
index 78e949c..30cb1b8 100644
--- a/stem/control.py
+++ b/stem/control.py
@@ -1047,6 +1047,8 @@ class Controller(BaseController):
:func:`~stem.control.Controller.get_listeners`, but doesn't provide
addresses nor include non-local endpoints.
+ .. versionadded:: 1.2.0
+
:param stem.control.Listener listener_type: connection type being handled
by the ports we return
:param object default: response if the query fails
@@ -1073,6 +1075,8 @@ class Controller(BaseController):
:func:`~stem.control.Controller.get_ports` but includes listener addresses
and non-local endpoints.
+ .. versionadded:: 1.2.0
+
:param stem.control.Listener listener_type: connection type being handled
by the listeners we return
:param object default: response if the query fails
diff --git a/stem/util/test_tools.py b/stem/util/test_tools.py
index cd94ff5..c976128 100644
--- a/stem/util/test_tools.py
+++ b/stem/util/test_tools.py
@@ -4,6 +4,8 @@
"""
Helper functions for testing.
+.. versionadded:: 1.2.0
+
::
clean_orphaned_pyc - delete *.pyc files without corresponding *.py
diff --git a/stem/util/tor_tools.py b/stem/util/tor_tools.py
index aae7426..9eb46a0 100644
--- a/stem/util/tor_tools.py
+++ b/stem/util/tor_tools.py
@@ -4,6 +4,8 @@
"""
Miscellaneous utility functions for working with tor.
+.. versionadded:: 1.2.0
+
**Module Overview:**
::
[View Less]
commit a5596873fd544d79c53f0c0123caa89bdb5a9f72
Author: Damian Johnson <atagar(a)torproject.org>
Date: Sat May 31 14:14:06 2014 -0700
Adding tarfile support to stem.descriptor.parse_file()
A while back Karsten tried to hand a tarfile to our parse_file() method and had
confusing results...
https://trac.torproject.org/projects/tor/ticket/10977
Expanding our parse_file() function so it'll happily handle tarfiles and tar
paths.
Note that …
[View More]the DescriptorReader, which already had tar support, is keeping its
own separate implementation. This is because using the parse_file()'s tar
support has a couple drawbacks...
1. The reader then couldn't stop in the middle of handling tarballs.
2. If a tarball contains both descriptor and non-descriptor content then the
DescriptorReader can handle that. parse_file(), however, raises an
exception.
---
docs/change_log.rst | 2 +
stem/descriptor/__init__.py | 55 +++++++++++++++++++++++++---
stem/descriptor/reader.py | 24 +++---------
stem/util/system.py | 34 ++++++++++++++++-
test/integ/descriptor/server_descriptor.py | 31 ++++++++++++++++
5 files changed, 121 insertions(+), 25 deletions(-)
diff --git a/docs/change_log.rst b/docs/change_log.rst
index 279f2bb..7f2982b 100644
--- a/docs/change_log.rst
+++ b/docs/change_log.rst
@@ -59,6 +59,7 @@ The following are only available within Stem's `git repository
* **Descriptors**
+ * Added tarfile support to :func:`~stem.descriptor.__init__.parse_file` (:trac:`10977`)
* Added microdescriptor's new identity and identity_type attributes (:spec:`22cda72`)
* **Utilities**
@@ -116,6 +117,7 @@ and a myriad of smaller improvements and fixes.
* Added :func:`stem.util.system.get_user`
* Added :func:`stem.util.system.get_start_time`
* Added :func:`stem.util.system.get_bsd_jail_path`
+ * Added :func:`stem.util.system.is_tarfile`
* Added :func:`stem.util.connection.is_private_address`
* **Website**
diff --git a/stem/descriptor/__init__.py b/stem/descriptor/__init__.py
index 2d7cc69..4270cb9 100644
--- a/stem/descriptor/__init__.py
+++ b/stem/descriptor/__init__.py
@@ -52,10 +52,12 @@ __all__ = [
import os
import re
+import tarfile
import stem.prereq
import stem.util.enum
import stem.util.str_tools
+import stem.util.system
try:
# added in python 2.7
@@ -127,7 +129,7 @@ def parse_file(descriptor_file, descriptor_type = None, validate = True, documen
my_descriptor_file = open(descriptor_path, 'rb')
- :param str,file descriptor_file: path or opened file with the descriptor contents
+ :param str,file,tarfile descriptor_file: path or opened file with the descriptor contents
:param str descriptor_type: `descriptor type <https://metrics.torproject.org/formats.html#descriptortypes>`_, this is guessed if not provided
:param bool validate: checks the validity of the descriptor's content if
**True**, skips these checks otherwise
@@ -143,14 +145,23 @@ def parse_file(descriptor_file, descriptor_type = None, validate = True, documen
* **IOError** if unable to read from the descriptor_file
"""
- # if we got a path then open that file for parsing
+ # Delegate to a helper if this is a path or tarfile.
+
+ handler = None
if isinstance(descriptor_file, (bytes, unicode)):
- with open(descriptor_file) as desc_file:
- for desc in parse_file(desc_file, descriptor_type, validate, document_handler, **kwargs):
- yield desc
+ if stem.util.system.is_tarfile(descriptor_file):
+ handler = _parse_file_for_tar_path
+ else:
+ handler = _parse_file_for_path
+ elif isinstance(descriptor_file, tarfile.TarFile):
+ handler = _parse_file_for_tarfile
+
+ if handler:
+ for desc in handler(descriptor_file, descriptor_type, validate, document_handler, **kwargs):
+ yield desc
- return
+ return
# The tor descriptor specifications do not provide a reliable method for
# identifying a descriptor file's type and version so we need to guess
@@ -210,6 +221,38 @@ def parse_file(descriptor_file, descriptor_type = None, validate = True, documen
raise TypeError("Unable to determine the descriptor's type. filename: '%s', first line: '%s'" % (filename, first_line))
+def _parse_file_for_path(descriptor_file, *args, **kwargs):
+ with open(descriptor_file, 'rb') as desc_file:
+ for desc in parse_file(desc_file, *args, **kwargs):
+ yield desc
+
+
+def _parse_file_for_tar_path(descriptor_file, *args, **kwargs):
+ # TODO: use 'with' for tarfile after dropping python 2.6 support
+ tar_file = tarfile.open(descriptor_file)
+
+ try:
+ for desc in parse_file(tar_file, *args, **kwargs):
+ desc._set_path(os.path.abspath(descriptor_file))
+ yield desc
+ finally:
+ if tar_file:
+ tar_file.close()
+
+
+def _parse_file_for_tarfile(descriptor_file, *args, **kwargs):
+ for tar_entry in descriptor_file:
+ if tar_entry.isfile():
+ entry = descriptor_file.extractfile(tar_entry)
+
+ try:
+ for desc in parse_file(entry, *args, **kwargs):
+ desc._set_archive_path(entry.name)
+ yield desc
+ finally:
+ entry.close()
+
+
def _parse_metrics_file(descriptor_type, major_version, minor_version, descriptor_file, validate, document_handler, **kwargs):
# Parses descriptor files from metrics, yielding individual descriptors. This
# throws a TypeError if the descriptor_type or version isn't recognized.
diff --git a/stem/descriptor/reader.py b/stem/descriptor/reader.py
index 3fb4166..05c7533 100644
--- a/stem/descriptor/reader.py
+++ b/stem/descriptor/reader.py
@@ -85,6 +85,7 @@ import threading
import stem.descriptor
import stem.prereq
+import stem.util.system
# flag to indicate when the reader thread is out of descriptor files to read
FINISHED = 'DONE'
@@ -487,24 +488,10 @@ class DescriptorReader(object):
target_type = mimetypes.guess_type(target)
- # Checking if it's a tar file may fail due to permissions so failing back
- # to the mime type...
- #
- # IOError: [Errno 13] Permission denied: '/vmlinuz.old'
- #
- # With python 3 insuffient permissions raises an AttributeError instead...
- #
- # http://bugs.python.org/issue17059
-
- try:
- is_tar = tarfile.is_tarfile(target)
- except (IOError, AttributeError):
- is_tar = target_type[0] == 'application/x-tar'
-
if target_type[0] in (None, 'text/plain'):
# either '.txt' or an unknown type
self._handle_descriptor_file(target, target_type)
- elif is_tar:
+ elif stem.util.system.is_tarfile(target):
# handles gzip, bz2, and decompressed tarballs among others
self._handle_archive(target)
else:
@@ -529,9 +516,10 @@ class DescriptorReader(object):
self._notify_skip_listeners(target, ReadFailed(exc))
def _handle_archive(self, target):
- # TODO: This would be nicer via the 'with' keyword, but tarfile's __exit__
- # method was added sometime after python 2.5. We should change this when
- # we drop python 2.5 support.
+ # TODO: When dropping python 2.6 support go back to using 'with' for
+ # tarfiles...
+ #
+ # http://bugs.python.org/issue7232
tar_file = None
diff --git a/stem/util/system.py b/stem/util/system.py
index 89317df..d24d34b 100644
--- a/stem/util/system.py
+++ b/stem/util/system.py
@@ -16,6 +16,8 @@ best-effort, providing **None** if the lookup fails.
is_available - determines if a command is available on this system
is_running - determines if a given process is running
+ call - runs the given system command and provides back the results
+
get_name_by_pid - gets the name for a process by the given pid
get_pid_by_name - gets the pid for a process by the given name
get_pid_by_port - gets the pid for a process listening to a given port
@@ -25,9 +27,11 @@ best-effort, providing **None** if the lookup fails.
get_start_time - provides the unix timestamp when the process started
get_bsd_jail_id - provides the BSD jail id a given process is running within
get_bsd_jail_path - provides the path of the given BSD jail
+
+ is_tarfile - checks if the given path is a tarball
expand_path - expands relative paths and ~ entries
files_with_suffix - provides files with the given suffix
- call - runs the given system command and provides back the results
+
get_process_name - provides our process' name
set_process_name - changes our process' name
@@ -35,9 +39,11 @@ best-effort, providing **None** if the lookup fails.
import ctypes
import ctypes.util
+import mimetypes
import os
import platform
import subprocess
+import tarfile
import time
import stem.util.proc
@@ -763,6 +769,32 @@ def get_bsd_jail_path(jid):
return None
+def is_tarfile(path):
+ """
+ Returns if the path belongs to a tarfile or not.
+
+ .. versionadded:: 1.2.0
+
+ :param str path: path to be checked
+
+ :returns: **True** if the path belongs to a tarball, **False** otherwise
+ """
+
+ # Checking if it's a tar file may fail due to permissions so failing back
+ # to the mime type...
+ #
+ # IOError: [Errno 13] Permission denied: '/vmlinuz.old'
+ #
+ # With python 3 insuffient permissions raises an AttributeError instead...
+ #
+ # http://bugs.python.org/issue17059
+
+ try:
+ return tarfile.is_tarfile(path)
+ except (IOError, AttributeError):
+ return mimetypes.guess_type(path)[0] == 'application/x-tar'
+
+
def expand_path(path, cwd = None):
"""
Provides an absolute path, expanding tildes with the user's home and
diff --git a/test/integ/descriptor/server_descriptor.py b/test/integ/descriptor/server_descriptor.py
index 7b4645c..6d16add 100644
--- a/test/integ/descriptor/server_descriptor.py
+++ b/test/integ/descriptor/server_descriptor.py
@@ -4,6 +4,7 @@ Integration tests for stem.descriptor.server_descriptor.
import datetime
import os
+import tarfile
import unittest
import stem.control
@@ -15,8 +16,38 @@ import test.runner
from test.integ.descriptor import get_resource
+TARFILE_PATH = os.path.join(os.path.dirname(__file__), 'data', 'descriptor_archive.tar')
+TARFILE_FINGERPRINTS = set([
+ u'B6D83EC2D9E18B0A7A33428F8CFA9C536769E209',
+ u'E0BD57A11F00041A9789577C53A1B784473669E4',
+ u'1F43EE37A0670301AD9CB555D94AFEC2C89FDE86',
+])
+
class TestServerDescriptor(unittest.TestCase):
+ def test_with_tarfile_path(self):
+ """
+ Fetch server descriptors via parse_file() for a tarfile path.
+ """
+
+ descriptors = list(stem.descriptor.parse_file(TARFILE_PATH))
+ self.assertEqual(3, len(descriptors))
+
+ fingerprints = set([desc.fingerprint for desc in descriptors])
+ self.assertEqual(TARFILE_FINGERPRINTS, fingerprints)
+
+ def test_with_tarfile_object(self):
+ """
+ Fetch server descriptors via parse_file() for a tarfile object.
+ """
+
+ with tarfile.open(TARFILE_PATH) as tar_file:
+ descriptors = list(stem.descriptor.parse_file(tar_file))
+ self.assertEqual(3, len(descriptors))
+
+ fingerprints = set([desc.fingerprint for desc in descriptors])
+ self.assertEqual(TARFILE_FINGERPRINTS, fingerprints)
+
def test_metrics_descriptor(self):
"""
Parses and checks our results against a server descriptor from metrics.
[View Less]
commit 29f2a1cde6f6bc4fb523a410568559d9bd2c142e
Author: Damian Johnson <atagar(a)torproject.org>
Date: Sat May 31 11:35:07 2014 -0700
Vending the test_tools and tor_tools utility modules
On reflection both are very well written and tested. I've found these useful in
my projects and there's little reason so keep 'em to ourselves so sharing the
wealth.
---
docs/api.rst | 2 ++
docs/api/util/test_tools.rst | 5 +++++
docs/change_log.rst …
[View More]| 2 ++
docs/contents.rst | 1 +
stem/util/test_tools.py | 4 ----
stem/util/tor_tools.py | 3 ---
6 files changed, 10 insertions(+), 7 deletions(-)
diff --git a/docs/api.rst b/docs/api.rst
index 56b9d54..4f1a01c 100644
--- a/docs/api.rst
+++ b/docs/api.rst
@@ -49,4 +49,6 @@ Utilities
* `stem.util.str_tools <api/util/str_tools.html>`_ - String utilities.
* `stem.util.system <api/util/system.html>`_ - Tools related to the local system.
* `stem.util.term <api/util/term.html>`_ - Tools for interacting with the terminal.
+* `stem.util.test_tools <api/util/test_tools.html>`_ - Static analysis checks and tools to help with test runs.
+* `stem.util.tor_tools <api/util/tor_tools.html>`_ - Miscellaneous toolkit for working with tor.
diff --git a/docs/api/util/test_tools.rst b/docs/api/util/test_tools.rst
new file mode 100644
index 0000000..113ca64
--- /dev/null
+++ b/docs/api/util/test_tools.rst
@@ -0,0 +1,5 @@
+Test Utilities
+==============
+
+.. automodule:: stem.util.test_tools
+
diff --git a/docs/change_log.rst b/docs/change_log.rst
index ac892d1..6b71913 100644
--- a/docs/change_log.rst
+++ b/docs/change_log.rst
@@ -62,6 +62,8 @@ The following are only available within Stem's `git repository
* **Utilities**
+ * Added the `stem.util.test_tools <api/util/test_tools.html>`_ module
+ * Started vending the `stem.util.tor_tools <api/util/tor_tools.html>`_ module
* Added :func:`stem.util.connection.port_usage`
* Added :func:`stem.util.system.files_with_suffix`
diff --git a/docs/contents.rst b/docs/contents.rst
index 6667123..15283f1 100644
--- a/docs/contents.rst
+++ b/docs/contents.rst
@@ -53,5 +53,6 @@ Contents
api/util/str_tools
api/util/system
api/util/term
+ api/util/test_tools
api/util/tor_tools
diff --git a/stem/util/test_tools.py b/stem/util/test_tools.py
index b95cbd5..cd94ff5 100644
--- a/stem/util/test_tools.py
+++ b/stem/util/test_tools.py
@@ -4,10 +4,6 @@
"""
Helper functions for testing.
-**Stem users are more than welcome to use these for their own test runs, but
-these functions are not being vended to our users. They may change in the
-future, use them at your own risk.**
-
::
clean_orphaned_pyc - delete *.pyc files without corresponding *.py
diff --git a/stem/util/tor_tools.py b/stem/util/tor_tools.py
index 325fcbe..aae7426 100644
--- a/stem/util/tor_tools.py
+++ b/stem/util/tor_tools.py
@@ -4,9 +4,6 @@
"""
Miscellaneous utility functions for working with tor.
-**These functions are not being vended to stem users. They may change in the
-future, use them at your own risk.**
-
**Module Overview:**
::
[View Less]
commit d14594b61f85527fcf2b20e90f36439391e1310b
Author: Damian Johnson <atagar(a)torproject.org>
Date: Thu May 29 09:13:52 2014 -0700
Note that process renaming might cause problems for FreeBSD
Citing a ticket where a user indicated that _set_argv() caused issues for them.
The user disappeared so not positive if it's really an issue (nor a fix if so).
---
stem/util/system.py | 2 ++
1 file changed, 2 insertions(+)
diff --git a/stem/util/system.py b/stem/util/…
[View More]system.py
index c940578..89317df 100644
--- a/stem/util/system.py
+++ b/stem/util/system.py
@@ -942,6 +942,8 @@ def set_process_name(process_name):
Renames our current process from "python <args>" to a custom name. This is
best-effort, not necessarily working on all platforms.
+ **Note:** This might have issues on FreeBSD (:trac:`9804`).
+
:param str process_name: new name for our process
"""
[View Less]
commit fcf49ad8afe52a36553fabbeaa3741566fa299f6
Author: Damian Johnson <atagar(a)torproject.org>
Date: Thu May 29 08:48:51 2014 -0700
Close stdout/stderr after the tor process initializes
We use tor's stdout and stderr to determine two things...
* at what stage it has bootstrapped to
* errors if tor fails to start
After startup, however, we stop listing to stdout which can cause Tor to lock
up if it's registering a lot of NOTICE level messages.…
[View More]..
https://trac.torproject.org/projects/tor/ticket/9862
Tested by the following script. Before this fix tor hung after ~3 seconds. With
it things happily chug along...
import time
import stem.process
from stem.control import EventType, Controller
tor_process = stem.process.launch_tor_with_config(
config = {
'ControlPort': '9051',
'Log': 'DEBUG stdout',
},
take_ownership = True,
)
with Controller.from_port() as controller:
controller.authenticate()
def heartbeat(event):
print "%s - %s / %s" % (time.time(), event.read, event.written)
controller.add_event_listener(heartbeat, EventType.BW)
print "Press any key to quit..."
raw_input()
---
docs/change_log.rst | 7 ++++---
stem/process.py | 3 +++
test/integ/process.py | 2 +-
test/runner.py | 2 +-
4 files changed, 9 insertions(+), 5 deletions(-)
diff --git a/docs/change_log.rst b/docs/change_log.rst
index 6b71913..279f2bb 100644
--- a/docs/change_log.rst
+++ b/docs/change_log.rst
@@ -52,9 +52,10 @@ The following are only available within Stem's `git repository
* Added `support for TB_EMPTY events <api/response.html#stem.response.events.TokenBucketEmptyEvent>`_ (:spec:`6f2919a`)
* Added `support for HS_DESC events <api/response.html#stem.response.events.HSDescEvent>`_ (:spec:`a67ac4d`, :trac:`10807`)
* Changed :func:`~stem.control.Controller.get_network_status` and :func:`~stem.control.Controller.get_network_statuses` to provide :class:`~stem.descriptor.router_status_entry.RouterStatusEntryMicroV3` if Tor is using microdescriptors (:trac:`7646`)
- * The :func:`~stem.connection.connect_port` and :func:`~stem.connection.connect_socket_file` didn't properly mark the Controller it returned as being authenticated, causing event listening among other things to fail.
- * The :func:`~stem.control.Controller.add_event_listener` method couldn't accept event types that Stem didn't already recognize.
- * The :class:`~stem.exit_policy.ExitPolicy` class couldn't be pickled.
+ * The :func:`~stem.connection.connect_port` and :func:`~stem.connection.connect_socket_file` didn't properly mark the Controller it returned as being authenticated, causing event listening among other things to fail
+ * The :func:`~stem.control.Controller.add_event_listener` method couldn't accept event types that Stem didn't already recognize
+ * The :class:`~stem.exit_policy.ExitPolicy` class couldn't be pickled
+ * Tor instances spawned with :func:`~stem.process.launch_tor` and :func:`~stem.process.launch_tor_with_config` could hang due to unread stdout content, we now close stdout and stderr once tor finishes bootstrapping (:trac:`9862`)
* **Descriptors**
diff --git a/stem/process.py b/stem/process.py
index ad05659..c9fe863 100644
--- a/stem/process.py
+++ b/stem/process.py
@@ -159,6 +159,9 @@ def launch_tor(tor_cmd = 'tor', args = None, torrc_path = None, completion_perce
if timeout:
signal.alarm(0) # stop alarm
+ tor_process.stdout.close()
+ tor_process.stderr.close()
+
if temp_file:
try:
os.remove(temp_file)
diff --git a/test/integ/process.py b/test/integ/process.py
index d87dda4..b06e500 100644
--- a/test/integ/process.py
+++ b/test/integ/process.py
@@ -65,7 +65,7 @@ class TestProcess(unittest.TestCase):
control_socket.close()
tor_process.kill()
- tor_process.communicate()
+ tor_process.wait()
def test_launch_tor_with_timeout(self):
"""
diff --git a/test/runner.py b/test/runner.py
index 3ad78f2..07cbd34 100644
--- a/test/runner.py
+++ b/test/runner.py
@@ -349,7 +349,7 @@ class Runner(object):
except OSError:
pass
- self._tor_process.communicate() # blocks until the process is done
+ self._tor_process.wait() # blocks until the process is done
# if we've made a temporary data directory then clean it up
if self._test_dir and CONFIG['integ.test_directory'] == '':
[View Less]
commit 4f47e5f13e4e424d449d58ba9581d36c4d1fa2af
Author: Translation commit bot <translation(a)torproject.org>
Date: Sat May 31 16:45:31 2014 +0000
Update translations for tails-greeter_completed
---
zh_TW/zh_TW.po | 13 +++++++------
1 file changed, 7 insertions(+), 6 deletions(-)
diff --git a/zh_TW/zh_TW.po b/zh_TW/zh_TW.po
index e0b4d95..992a2e7 100644
--- a/zh_TW/zh_TW.po
+++ b/zh_TW/zh_TW.po
@@ -6,12 +6,13 @@
# chinrur <chinrur(a)gmail.com>, 2013
# wongyinho981 <…
[View More]wongyinho981(a)gmail.com>, 2013
# xatier 同學@提不起勁 <xatierlike(a)gmail.com>, 2014
+# xatier 同學@提不起勁 <xatierlike(a)gmail.com>, 2014
msgid ""
msgstr ""
"Project-Id-Version: The Tor Project\n"
"Report-Msgid-Bugs-To: \n"
-"POT-Creation-Date: 2014-05-14 13:14+0200\n"
-"PO-Revision-Date: 2014-05-17 14:36+0000\n"
+"POT-Creation-Date: 2014-05-28 22:33+0200\n"
+"PO-Revision-Date: 2014-05-31 16:21+0000\n"
"Last-Translator: xatier 同學@提不起勁 <xatierlike(a)gmail.com>\n"
"Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/torproject/language/zh_TW/)\n"
"MIME-Version: 1.0\n"
@@ -104,13 +105,13 @@ msgstr "<a href=\"doc/first_steps/startup_options/windows_camouflage.en.html\">
#: ../glade/optionswindow.glade.h:12
msgid ""
-"This option makes Tails look more like Microsoft Windows XP. This may be "
+"This option makes Tails look more like Microsoft Windows 8. This may be "
"useful in public places in order to avoid attracting suspicion."
-msgstr "這選項令Tails更像Microsoft Windows XP,可以避免在公開埸合引起懷疑。"
+msgstr "這個選項讓 Tails 看起來更像是 Microsoft Windows 8。這可能可以幫助在公共場所避免引人注目。"
#: ../glade/optionswindow.glade.h:13
-msgid "Activate Microsoft Windows XP Camouflage"
-msgstr "開啟Microsoft Windows XP偽裝"
+msgid "Activate Microsoft Windows 8 Camouflage"
+msgstr "啟用 Microsoft Windows 8 偽裝"
#: ../glade/optionswindow.glade.h:14
msgid "MAC address spoofing"
[View Less]